I have seen a couple of examples, but handling arrays with 2 elements in it and I was wondering what changes would have to be made so that this one gets summed by comparing the first element and calculating the 4th elements
JavaScript
x
8
1
array =
2
[
3
[2, 'name1','something',15],
4
[3, 'name10','something',5],
5
[5, 'name20','something',20],
6
[2, 'name15','something',3]
7
]
8
Expected Result
JavaScript
1
7
1
array =
2
[
3
[2, 'name1','something',18],
4
[3, 'name10','something',5],
5
[5, 'name20','something',20]
6
]
7
Appreciate your help!
Thanks!
Advertisement
Answer
Just update the array indices of the required elements
In my test case, I changed the indices used in the script. The script used would be as follows:
JavaScript
1
16
16
1
function myFunction() {
2
var array = [
3
[2, 'name1', 'something', 15],
4
[3, 'name10', 'something', 5],
5
[5, 'name20', 'something', 20],
6
[2, 'name15', 'something', 3]
7
]
8
var result = Object.values(array.reduce((c, v) => {
9
if (c[v[0]]) c[v[0]][3] += v[3]; // Updated the indices
10
else c[v[0]] = v; // Updated the indices
11
return c;
12
}, {}));
13
14
console.log(result);
15
}
16
From here, index [0] represents the elements in the first column (2,3,5,2) while index [3] represents the elements in the last column (15,5,20,3). So basically, the script only processed the first and last columns to achieve your desired output.