I am getting an array of objects like this from my API
JavaScript
x
30
30
1
[
2
{
3
[ ]
4
time: "2022-01-27T18:21Z",
5
attributes: {
6
[ ]
7
temp1: 12,
8
temp2: 49,
9
[ ],
10
tempN: 23
11
[ ]
12
},
13
[ ]
14
},
15
{
16
[ ]
17
time: "2022-01-27T18:26Z",
18
attributes: {
19
[ ]
20
temp1: 13,
21
temp2: 49,
22
[ ],
23
tempN: 22
24
[ ]
25
},
26
[ ]
27
},
28
[ ]
29
]
30
And I need to convert these to an object like this:
JavaScript
1
13
13
1
{
2
temp1: [
3
["2022-01-27T18:21Z", 12], ["2022-01-27T18:26Z", 13], [ ]
4
],
5
temp2: [
6
["2022-01-27T18:21Z", 49], ["2022-01-27T18:26Z", 49], [ ]
7
],
8
[ ]
9
tempN: [
10
["2022-01-27T18:21Z", 23], ["2022-01-27T18:26Z", 22], [ ]
11
]
12
}
13
I don’t know how or even if any temp
values are present in the original dataset. And it is possible that one object in the API data has for example temp5
, but the next does not. The dataset has at least a couple hundred to a few thousand objects.
What is an efficient way to convert the dataset?
Advertisement
Answer
I guess I’d do it like a groupBy on temps…
JavaScript
1
28
28
1
const data = [{
2
time: "2022-01-27T18:21Z",
3
attributes: {
4
temp1: 12,
5
temp2: 49,
6
tempN: 23
7
},
8
},
9
{
10
time: "2022-01-27T18:26Z",
11
attributes: {
12
temp1: 13,
13
temp2: 49,
14
tempN: 22
15
},
16
},
17
]
18
19
const byTemps = data.reduce((acc, el) => {
20
let temps = Object.keys(el.attributes).filter(key => key.startsWith('temp'));
21
temps.forEach(temp => {
22
if (!acc[temp]) acc[temp] = [];
23
acc[temp].push([el.time, el.attributes[temp]]);
24
});
25
return acc;
26
}, {});
27
28
console.log(byTemps)