I have created a database in firebase and I have fetch it in react, that is working correctly, but I want to include a search bar to filter the elements, my problem is that when I search for an element everything works but when I delete the text from the search input the elements do not appear again.
JavaScript
x
81
81
1
import { db } from "../firebase";
2
import { Link } from "react-router-dom";
3
import "../App.css";
4
5
const Productos = () => {
6
7
const [productos, setProductos] = useState([]);
8
9
const getLinks = async () => {
10
db.collection("links").onSnapshot((querySnapshot) => {
11
const docs = [];
12
querySnapshot.forEach((doc) => {
13
docs.push({ doc.data(), id: doc.id });
14
});
15
setProductos(docs);
16
});
17
};
18
19
const handelSearch = (e) => {
20
const cadena = e.target.value.toLowerCase();
21
const limite = Productos.length;
22
//console.log(cadena);
23
let tempArray = [];
24
for (let i = 0; i < limite; i++) {
25
const etiquetas = productos[i].description.toLowerCase();
26
const patron = new RegExp(cadena);
27
const res = patron.test(etiquetas);
28
29
if (res) {
30
tempArray.push(productos[i]);
31
}
32
}
33
setProductos(tempArray);
34
};
35
36
37
useEffect(() => {
38
getLinks();
39
}, []);
40
41
42
return (
43
<>
44
<input
45
type="text"
46
placeholder="Buscar"
47
className="search"
48
onChange={handelSearch}
49
name="busqueda"
50
/>
51
<div className="productos" name="c" id="c">
52
<div className="grid-prod">
53
{productos &&
54
productos.map((link) => (
55
<div itemID={link} className="card mb-1" key={link.id}>
56
<div className="card-body">
57
<div className="d-flex justify-content-between">
58
<div className="contenedor-img">
59
<img
60
className="img-producto"
61
alt="producto"
62
src={link.img}
63
></img>
64
</div>
65
</div>
66
<h4 className="text-secondary titulo">{link.titulo}</h4>
67
<h1 className="text-secondary titulo">{link.categoria}</h1>
68
<Link to={"/" + link.url} rel="noopener noreferrer">
69
<button className="btn-prod">Ver producto</button>
70
</Link>
71
</div>
72
</div>
73
))}
74
</div>
75
</div>
76
</>
77
);
78
};
79
80
export default Productos;```
81
Advertisement
Answer
You can set another state array that keeps track of all the products.
ex:
JavaScript
1
28
28
1
const [productos, setProductos] = useState([]);
2
const [allProductos, setAllProductos] = useState([]);
3
4
const getLinks = async () => {
5
db.collection("links").onSnapshot((querySnapshot) => {
6
const docs = [];
7
querySnapshot.forEach((doc) => {
8
docs.push({ doc.data(), id: doc.id });
9
});
10
setProductos(docs);
11
setAllProductos(docs);
12
});
13
};
14
15
16
function handleSearchChange(event) {
17
setSearchValue(event.target.value);
18
search(event.target.value);
19
}
20
21
function search(searchValue) {
22
setProductos(allProductos);
23
if(searchValue != ""){
24
/* perform search logic here */
25
setProductos(tempArray);
26
}
27
}
28