JavaScript
x
2
1
const [isItemExpand, setIsItemExpand] = useState([{ ind: 0, isExpand: false }])
2
this is my function to make related state true
JavaScript
1
6
1
const handleExpand = (i: number) => {
2
const newList = [isItemExpand]
3
newList[i] = { ind: i, isExpand: !isItemExpand[i].isExpand }
4
setIsItemExpand(newList)
5
}
6
I need to make index related state true while at the same time states not equal to index need make false, How can I achieve that in the same function above
as a example – in current condition, if I expand (index 1), then expand (index 2) my array looks like
JavaScript
1
5
1
0: {ind: 0, isExpand: false}
2
1: {ind: 1, isExpand: true}
3
2: {ind: 2, isExpand: true}
4
3: {ind: 3, isExpand: false}
5
but after expanding (index 2) I expect array like this
JavaScript
1
5
1
0: {ind: 0, isExpand: false}
2
1: {ind: 1, isExpand: false}
3
2: {ind: 2, isExpand: true}
4
3: {ind: 3, isExpand: false}
5
to achieve this i need to reset all other states to false expect which matches with index
Advertisement
Answer
If I understand the goal correctly – that only one element should have isExpand = true
– then you can map
the items and set false
or true
depending on the ind
condition
JavaScript
1
5
1
const handleExpand = (i: number) => {
2
const newList = isItemExpand.map((item) => ({ item, isExpand: item.ind === i }));
3
setIsItemExpand(newList);
4
};
5
updated
JavaScript
1
6
1
const handleExpand = (i: number) => {
2
const newList = isItemExpand.map((item) =>
3
({ item, isExpand: (item.ind === i) ? !item.isExpand : false });
4
setIsItemExpand(newList);
5
};
6