How do you handle accessing the objects inside a JSON response when the key is dynamic?
In my code sample, I’ve created a reducer that makes API calls but requires params to work:
JavaScript
x
29
29
1
import { fetchAPI } from '../lib/api'
2
3
export async function resultsReducer(dataType, sortParam, nodeFields) {
4
let allResults = []
5
let fetch = await fetchAPI(`
6
query {
7
${dataType} (sortBy: ${sortParam}) {
8
pageInfo {
9
hasNextPage
10
startCursor
11
endCursor
12
}
13
edges {
14
node {
15
${nodeFields}
16
}
17
cursor
18
}
19
totalCount
20
}
21
}
22
`)
23
24
// How I access the dataType key - this doesn't work
25
fetch.dataType.edges.map( (item) => {
26
allResults.push(item)
27
})
28
}
29
That function works and it returns a response that gets deposited on fetch
that looks like this:
JavaScript
1
20
20
1
{
2
allLocationss: {
3
pageInfo: {
4
hasNextPage: true,
5
startCursor: 'YXJyYXljb25uZWN0aW9uOjA=',
6
endCursor: 'YXJyYXljb25uZWN0aW9uOjE5'
7
},
8
edges: [
9
[Object], [Object], [Object],
10
[Object], [Object], [Object],
11
[Object], [Object], [Object],
12
[Object], [Object], [Object],
13
[Object], [Object], [Object],
14
[Object], [Object], [Object],
15
[Object], [Object]
16
],
17
totalCount: 52
18
}
19
}
20
In my example response, allLocationss
is the key, but some times it’s allTopics
or allEvents
, etc. If I use Object.keys(fetch)[1]
I get a string returned. I also tried fetch.Object.keys(fetch)[1].edges
but that doesn’t work either. Would love some ideas S.O.
Advertisement
Answer
To access dynamic key in response use variable[key]
notations
JavaScript
1
5
1
// How I access the dataType key?
2
fetch[dataType].edges.map((item) => {
3
allResults.push(item);
4
});
5