我有以下数组:
var items = [
{price1: 100, price2: 200, price3: 150},
{price1: 10, price2: 50},
{price1: 20, price2: 20, price3: 13},
]
我需要使用以下所有键的总和来获取对象:
var result = {price1: 130, price2: 270, price3: 163};
我知道我可能只使用循环,但我正在寻找下划线风格的方法:)
答案 0 :(得分:5)
不是很漂亮,但我认为最快的方法是像这样做
_(items).reduce(function(acc, obj) {
_(obj).each(function(value, key) { acc[key] = (acc[key] ? acc[key] : 0) + value });
return acc;
}, {});
或者,要真正超越顶部(我认为如果你使用lazy.js而不是下划线,它会比一个更快):
_(items).chain()
.map(function(it) { return _(it).pairs() })
.flatten(true)
.groupBy("0") // groups by the first index of the nested arrays
.map(function(v, k) {
return [k, _(v).reduce(function(acc, v) { return acc + v[1] }, 0)]
})
.object()
.value()
答案 1 :(得分:1)
对于汇总,我建议reduce
:
_.reduce(items, function(acc, o) {
for (var p in acc) acc[p] += o[p] || 0;
return acc;
}, {price1:0, price2:0, price3:0});
或更好
_.reduce(items, function(acc, o) {
for (var p in o)
acc[p] = (p in acc ? acc[p] : 0) + o[p];
return acc;
}, {});
答案 2 :(得分:0)
来自地狱的Js:
var names = _.chain(items).map(function(n) { return _.keys(n); }).flatten().unique().value();
console.log(_.map(names, function(n) {
return n + ': ' + eval((_.chain(items).pluck(n).compact().value()).join('+'));
}).join(', '));