There is a problem with deleting several string parameters. Only the last parameter is being deleted now.
upd: I did not specify that I wanted to achieve the ability to remove specific parameter values
this code does not work correctly:
JavaScript
x
22
22
1
const updateFiltersSearchParams = (paramKey, newValue) => {
2
const isParamExist = searchParams.getAll(paramKey).includes(newValue);
3
4
if (!isParamExist) {
5
searchParams.append(paramKey, newValue);
6
setSearchParams(searchParams);
7
} else {
8
const updatedSearchParams = new URLSearchParams(
9
[searchParams].filter(
10
([key, value]) => key !== paramKey || value !== newValue
11
)
12
);
13
setSearchParams(updatedSearchParams);
14
}
15
};
16
17
const handleDeleteParams = () => {
18
[checkboxParams].forEach((param) => {
19
updateFiltersSearchParams("selected", param);
20
});
21
};
22
Advertisement
Answer
Solved the problem by modifying the function like this
JavaScript
1
27
27
1
const toggleSearchParams = (params) => {
2
const newSearchParams = [searchParams];
3
4
for (const prevParam of params) {
5
const index = newSearchParams.findIndex(
6
(newParam) =>
7
prevParam[0] === newParam[0] && prevParam[1] === newParam[1]
8
);
9
10
if (index === -1) {
11
newSearchParams.push(prevParam);
12
} else {
13
newSearchParams.splice(index, 1);
14
}
15
}
16
17
setSearchParams(new URLSearchParams(newSearchParams));
18
};
19
20
const handleChangeCheckBoxValue = (e) => {
21
toggleSearchParams([["selected", e.target.value]]);
22
};
23
24
const handleDeleteParams = () => {
25
toggleSearchParams(checkboxParams.map((param) => ["selected", param]));
26
};
27