I try to fetch object vorlagen
with ID 6310
from this API and want to show if property vorlageAngenommen
is true or false.
The JSON object looks as follows:
My code that does not run, looks as follows (I am not sure if this is a good base at all):
JavaScript
x
35
35
1
import useSWR from "swr";
2
import "./styles.css";
3
4
const fetcher = (args) => fetch(args).then((res) => res.json());
5
6
const arrayFindObjectByProp = (arr, prop, val) => {
7
return arr.find((obj) => obj[prop] == val);
8
};
9
10
export default function App() {
11
const { data, error } = useSWR(
12
"https://www.bfs.admin.ch/bfsstatic/dam/assets/14856203/master",
13
fetcher
14
);
15
const specificVoting = null;
16
17
console.log("swr error: ", error);
18
console.log("swr data: ", data);
19
20
return (
21
<div className="App">
22
23
<div style={{backgroundColor: "red"}}>
24
{data ? (
25
{specificVoting = arrayFindObjectByProp(data.schweiz.vorlagen, vorlagenId, '6310')}
26
<h4>{specificVoting.vorlageAngenommen}</h4>
27
) : (
28
<h1>loading</h1>
29
)}
30
</div>
31
32
</div>
33
);
34
}
35
I created a sandbox as well that can be found here.
Any idea how I can fetch and present a specific element of an array where I know the ID?
Many thanks for your feedback in advance.
Advertisement
Answer
Your code has a few issues.
First: You should extract the value outside of the return statement
Second; You should pass on the property value as a string
to arrayFindObjectByProp
function
Lastly: Since the value returned is a boolean
, you need to convert it into a string to display in the component
JavaScript
1
24
24
1
export default function App() {
2
const {data, error } = useSWR(
3
"https://www.bfs.admin.ch/bfsstatic/dam/assets/14856203/master",
4
fetcher
5
);
6
7
console.log("swr error: ", error);
8
console.log("swr data: ", data);
9
const specificVoting =
10
data && arrayFindObjectByProp(data.schweiz.vorlagen, "vorlagenId", "6310");
11
return (
12
<div className="App">
13
<div style={{ backgroundColor: "red" }}>
14
15
{data ? (
16
<h4>{specificVoting.vorlageAngenommen.toString()}</h4>
17
) : (
18
<h1>loading</h1>
19
)}
20
</div>
21
</div>
22
);
23
}
24