I have an object that contains duplicate id
properties and I want to reduce them to one array for each. I only figured out a way to find unique id
s, but how can I concat the name
attribute?
JavaScript
x
6
1
const x = [
2
{id: 1, name: 'green'},
3
{id: 2, name: 'red'},
4
{id: 1, name: 'blue'}
5
]
6
Desired result:
JavaScript
1
5
1
[
2
{id: 1, name: 'green, blue'},
3
{id: 2, name: 'red'}
4
]
5
Advertisement
Answer
Simple reduce to combine and using Object.values to get the result you are after.
JavaScript
1
25
25
1
const x = [{
2
id: 1,
3
name: 'green'
4
},
5
{
6
id: 2,
7
name: 'red'
8
},
9
{
10
id: 1,
11
name: 'blue'
12
}
13
]
14
15
const result = Object.values(x.reduce((acc, obj) => {
16
if (acc[obj.id]) {
17
acc[obj.id].name += ", " + obj.name;
18
} else {
19
acc[obj.id] = { obj
20
};
21
}
22
return acc;
23
}, {}));
24
25
console.log(result);