I have an array of objects like the following:
JavaScript
x
19
19
1
[
2
{
3
'name': 'P1',
4
'value': 150
5
},
6
{
7
'name': 'P1',
8
'value': 150
9
},
10
{
11
'name': 'P2',
12
'value': 200
13
},
14
{
15
'name': 'P3',
16
'value': 450
17
}
18
]
19
I need to add up all the values for objects with the same name. (Probably also other mathematical operations like calculate average.) For the example above the result would be:
JavaScript
1
15
15
1
[
2
{
3
'name': 'P1',
4
'value': 300
5
},
6
{
7
'name': 'P2',
8
'value': 200
9
},
10
{
11
'name': 'P3',
12
'value': 450
13
}
14
]
15
Advertisement
Answer
First iterate through the array and push the ‘name’ into another object’s property. If the property exists add the ‘value’ to the value of the property otherwise initialize the property to the ‘value’. Once you build this object, iterate through the properties and push them to another array.
Here is some code:
JavaScript
1
24
24
1
var obj = [
2
{ 'name': 'P1', 'value': 150 },
3
{ 'name': 'P1', 'value': 150 },
4
{ 'name': 'P2', 'value': 200 },
5
{ 'name': 'P3', 'value': 450 }
6
];
7
8
var holder = {};
9
10
obj.forEach(function(d) {
11
if (holder.hasOwnProperty(d.name)) {
12
holder[d.name] = holder[d.name] + d.value;
13
} else {
14
holder[d.name] = d.value;
15
}
16
});
17
18
var obj2 = [];
19
20
for (var prop in holder) {
21
obj2.push({ name: prop, value: holder[prop] });
22
}
23
24
console.log(obj2);
Hope this helps.