I have a Textbox where I set array items to the textbox and I use it as a drop down. My code works and I am able to see the items in the drop down, however when i click on any other item apart from the first item I get the error groups.map is not a function. I set array from the API to my groups and then I try to map the items that I need into the textbox. Please see my code below and assist me to fix it.
I set my state to an empty array here
JavaScript
x
9
1
const [groups, setGroups] = useState([]);
2
3
const handleChange = event => {
4
setGroups({
5
groups,
6
[event.target.name]: event.target.value
7
});
8
};
9
I handle my API call here
JavaScript
1
11
11
1
axios
2
.post('http://', formData, config)
3
.then((response) => {
4
console.log(response.data)
5
setGroups(response.data);
6
})
7
.catch((error) => {
8
console.log(error.response);
9
});
10
}, []);
11
I render with my data to show in the drop down here
JavaScript
1
22
22
1
<TextField
2
fullWidth
3
label="Select Group"
4
margin="dense"
5
name="groups"
6
onChange={handleChange}
7
required
8
select
9
// eslint-disable-next-line react/jsx-sort-props
10
SelectProps={{ native: true }}
11
value={groups.name}
12
variant="outlined"
13
>
14
{groups.map(option => (
15
<option
16
key={option.id}
17
>
18
{option.name}
19
</option>
20
))}
21
</TextField>
22
Advertisement
Answer
Try adding a new state variable to store the selected group.
JavaScript
1
2
1
const [selected, setSelected] = useState();
2
Your handleChange function will become something like
JavaScript
1
4
1
const handleChange = event => {
2
setSelected(event.target.value);
3
};
4
And your TextField component will have it’s value changed to match the corresponding state variable:
JavaScript
1
22
22
1
<TextField
2
fullWidth
3
label="Select Group"
4
margin="dense"
5
name="groups"
6
onChange={handleChange}
7
required
8
select
9
// eslint-disable-next-line react/jsx-sort-props
10
SelectProps={{ native: true }}
11
value={selected}
12
variant="outlined"
13
>
14
{groups.map(option => (
15
<option
16
key={option.id}
17
>
18
{option.name}
19
</option>
20
))}
21
</TextField>
22