Sono un po 'tardivo alla festa, tuttavia, se hai bisogno di una soluzione più robusta e flessibile, ecco il mio contributo. Se vuoi sommare solo una proprietà specifica in una combinazione di oggetti / array annidati, oltre a eseguire altri metodi di aggregazione, ecco una piccola funzione che ho usato su un progetto React:
var aggregateProperty = function(obj, property, aggregate, shallow, depth) {
if ((typeof obj !== 'object' && typeof obj !== 'array') || !property) {
return;
}
obj = JSON.parse(JSON.stringify(obj));
const validAggregates = [ 'sum', 'min', 'max', 'count' ];
aggregate = (validAggregates.indexOf(aggregate.toLowerCase()) !== -1 ? aggregate.toLowerCase() : 'sum');
if (shallow === true) {
shallow = 2;
} else if (isNaN(shallow) || shallow < 2) {
shallow = false;
}
if (isNaN(depth)) {
depth = 1;
}
var value = ((aggregate == 'min' || aggregate == 'max') ? null : 0);
for (var prop in obj) {
if (!obj.hasOwnProperty(prop)) {
continue;
}
var propValue = obj[prop];
var nested = (typeof propValue === 'object' || typeof propValue === 'array');
if (nested) {
if (prop == property && aggregate == 'count') {
value++;
}
if (shallow === false || depth < shallow) {
propValue = aggregateProperty(propValue, property, aggregate, shallow, depth+1);
} else {
continue;
}
}
if ((prop == property || nested) && propValue) {
switch(aggregate) {
case 'sum':
if (!isNaN(propValue)) {
value += propValue;
}
break;
case 'min':
if ((propValue < value) || !value) {
value = propValue;
}
break;
case 'max':
if ((propValue > value) || !value) {
value = propValue;
}
break;
case 'count':
if (propValue) {
if (nested) {
value += propValue;
} else {
value++;
}
}
break;
}
}
}
return value;
}
È ricorsivo, non ES6 e dovrebbe funzionare nella maggior parte dei browser semi-moderni. Lo usi in questo modo:
const onlineCount = aggregateProperty(this.props.contacts, 'online', 'count');
Ripartizione dei parametri:
obj = o un oggetto o una
proprietà array = la proprietà all'interno degli oggetti / array nidificati che desideri eseguire il metodo
aggregato su aggregate = il metodo aggregato (sum, min, max o count)
shallow = può essere impostato su true / false o un valore numerico
depth = deve essere lasciato nullo o non definito (viene utilizzato per tracciare i successivi callback ricorsivi)
Shallow può essere utilizzato per migliorare le prestazioni se sai che non avrai bisogno di cercare dati nidificati in profondità. Ad esempio, se avessi il seguente array:
[
{
id: 1,
otherData: { ... },
valueToBeTotaled: ?
},
{
id: 2,
otherData: { ... },
valueToBeTotaled: ?
},
{
id: 3,
otherData: { ... },
valueToBeTotaled: ?
},
...
]
Se si desidera evitare di scorrere la proprietà otherData poiché il valore che si aggregherà non è annidato così profondamente, è possibile impostare shallow su true.