For switches, you need to pass true or false for the checked property in order to first set it to some state. Alternatively, your value in v-model should be equal to the value switch in order for it to be checked.
In a limited example of the code you posted, I think your label is the button index, for example 1 , 2 , 3 , etc ... And I think you want to select one of the buttons when selectedValue matches the label this switch. For example, if selectedValue is 2, then you want switch 2 to be set.
Assuming the above is correct, you need to make a one-line change to your radio-button component template:
<input type="radio" class="radio-button" :value="label" :name="name" v-model="value">
Note:
Your label button is the value for the switch. This is what you expect to set for selectedValue when you click on a specific radio button.
Your value in the child component is actually the selectedValue parent component, which indicates the radio button that is currently selected. So this should go in v-model
So, according to Form Input Bindings docs, your switch will be checked if the v-model variable is equal to the value of this switch.
But now there is another problem: if you click on another switch, you are expecting the selectedValue to change in the parent component. This will not happen because props only provides one-way binding.
To fix this problem, you need to make $ emit from your child component (radio button) and capture it in the parent component (your form).
Here is a jsFiddle working example: https://jsfiddle.net/mani04/3uznmk72/
In this example, the form template defines the components of the switches as follows:
<radio-button name="options" label="1" :value="selectedValue" @change="changeValue"/> <radio-button name="options" label="2" :value="selectedValue" @change="changeValue"/>
Whenever a value changes inside a child component, it passes the "change" event along with the switch label, which is passed to the changeValue() method of the parent form component. After changing the parent component of selectedValue your radio buttons will be updated automatically.
Hope this helps!