I have to manipulate data in this wonderful language which is javascript. Until there I managed to achieve what I needed on my own but I reached my limits there.
It’s quite hard to explain how my data is structured so let’s make a schema. This is what I have :
JavaScript
x
14
14
1
obj: {[key: string]: {name: string, type: string}[]} =
2
{
3
"animals": [
4
{name: "Louis", type: "dog"},
5
{name: "John", type: "cat"},
6
{name: "Jordan", type: "dog"},
7
]
8
"cars" : [
9
{name: "alpha", type: "ferrari"},
10
{name: "beta", type: "ferrari"},
11
{name: "charlie", type: "mercedes"},
12
]
13
}
14
What I try to achieve is for each object, grouping the object in the list by type. This would look like this :
JavaScript
1
22
22
1
obj: {[key: string]: {[key: string]: {name: string, type: string}[]}} =
2
{
3
"animals": {
4
"dog": [
5
{name: "Louis", type: "dog"},
6
{name: "Jordan", type: "dog"},
7
],
8
"cat": [
9
{name: "John", type: "cat"},
10
]
11
}
12
"cars" : {
13
"ferrari": [
14
{name: "alpha", type: "ferrari"},
15
{name: "beta", type: "ferrari"},
16
],
17
"mercedes": [
18
{name: "charlie", type: "mercedes"},
19
]
20
}
21
}
22
Do you have any idea how to achieve that ?
Advertisement
Answer
I think you’re looking for the following (seeing as you have TypeScript in the title of your question):
JavaScript
1
26
26
1
interface Value {
2
name: string;
3
type: string;
4
}
5
6
type Categorized = {
7
[index: string]: Record<string, Value[]>;
8
};
9
10
const results = Object.entries(obj).reduce<Categorized>((mapping, [key, values]) => {
11
const group: Record<string, Value[]> = {};
12
13
for (const value of values) {
14
if (group[value.type] === undefined) {
15
group[value.type] = [value];
16
} else {
17
group[value.type].push(value);
18
}
19
}
20
21
return {
22
mapping,
23
[key]: group,
24
};
25
}, {});
26