我有一个看起来像这样的行数组:
[
{
metric1: 50,
metric2: 60
},
{
metric1: 100,
metric2: 120;
}
]
我想将其简化为如下所示的单行:
{
metric1: 150,
metric2: 180
}
到目前为止,我有一个很长远的方法:
_.reduce(function(row, aggregate) {
_.each(row, function(value, metric) {
aggregate[metric] = aggregate[metric] || 0;
aggregate[metric] += value;
});
return aggregate;
}, {});
但是,真正的感觉是,使用Underscore或Lodash函数编程可以更干净地完成此操作。有任何想法吗?
最佳答案
您可以使用香草javascript干净地做到这一点:
var result = data.reduce(function(totals, v) {
totals.metric1 += v.metric1;
totals.metric2 += v.metric2;
return totals;
}, {metric1: 0, metric2: 0});
编辑:如果直到运行时才知道度量标准名称,则您的解决方案可以正常工作。这是使用
_.merge
的另一种解决方案:var result = _.merge.apply(null, [{}].concat(data).concat(function(total, v) {
return (total || 0) + v;
}));
或者,如果您使用的是ES6:
var result = _.merge({}, ...data, (total=0, v) => {
return total + v;
});