I have:
JavaScript
x
38
38
1
<blink>
2
3
const [thisButtomSelected, setThisButtomSelected] = useState(false);
4
var thisButton = [];
5
6
const onAttributeClick = (e) => {
7
thisButton[e.currentTarget.value] = { thisID: e.currentTarget.id, thisName: e.currentTarget.name }
8
setThisButtomSelected(thisButton[e.currentTarget.value]);
9
}
10
return(
11
<div>
12
{data.item.attributes.map((attribute, index) => (
13
<div key={index} >
14
<p id={attribute.id}>{attribute.name}:</p>
15
16
<ul className="choose-attribute-container-ul">
17
{attribute.items.map((item) => (
18
19
<li key={item.id}>
20
<button
21
value={item.value}
22
id={item.id}
23
name={attribute.name}
24
className={_.isEqual(thisButtomSelected, { thisID: item.id, thisName: attribute.name }) ? 'attribute-button-selected' : 'attribute-button'}
25
onClick={onAttributeClick}
26
>
27
{item.displayValue}
28
</button>
29
</li>
30
))}
31
</ul>
32
</div>
33
))}
34
</div>
35
)
36
37
</blink>
38
This pattern works fine, but whenever on the page more then 1 attribute and user select more then one, previously selected button gets unclicked.
My question is: How can I save the state of 1st selected button after clicking on 2nd one?
- for each attribute only one button can be active
- buttons name should be used
Advertisement
Answer
You should save the buttons in an array to retain them all, something like that:
JavaScript
1
28
28
1
const [thisButtomSelected, setThisButtomSelected] = useState([]);
2
3
var thisButton = [];
4
5
const onAttributeClick = (e) => {
6
thisButton[e.currentTarget.value] = { thisID: e.currentTarget.id, thisName: e.currentTarget.name }
7
8
setThisButtomSelected([thisButtomSelected, thisButton[e.currentTarget.value]]);
9
10
}
11
return(
12
<div>
13
{data.product.attributes.map((attribute, index) => (
14
<div key={index} >
15
<p id={attribute.id}>{attribute.name}:</p>
16
17
<ul className="choose-attribute-container-ul">
18
{attribute.items.map((item) => (
19
20
<li key={item.id}>
21
<button
22
value={item.value}
23
id={item.id}
24
name={attribute.name}
25
className={thisButtomSelected.find(el => el.thisID === item.id && el.thisName === attribute.name) ? 'attribute-button-selected' : 'attribute-button'}
26
onClick={onAttributeClick}
27
>
28