有一个很好的数组方法reduce()从数组中获取一个值。例子:
[0,1,2,3,4].reduce(function(previousValue, currentValue, index, array){
return previousValue + currentValue;
});
在对象上实现同样效果的最佳方法是什么?我想这样做:
{
a: {value:1},
b: {value:2},
c: {value:3}
}.reduce(function(previous, current, index, array){
return previous.value + current.value;
});
但是,Object似乎没有实现任何reduce()方法。
首先,你不太清楚reduce之前的值是什么。
在你的伪代码中,你已经返回先前的。值+电流。值,因此前一个值在下一次调用时将是一个数字,而不是一个对象。
其次,reduce是一个Array方法,而不是Object的方法,当你迭代一个对象的属性时,你不能依赖顺序(参见:https://developer.mozilla.org/en-US/docs/JavaScript/Reference/Statements/for...in,这应用于Object。键);所以我不确定在对象上应用reduce是否有意义。
然而,如果顺序不重要,你可以有:
Object.keys(obj).reduce(function(sum, key) {
return sum + obj[key].value;
}, 0);
或者你可以映射对象的值:
Object.keys(obj).map(function(key) { return this[key].value }, obj).reduce(function (previous, current) {
return previous + current;
});
附注:在ES6中使用胖箭头函数的语法(已经在Firefox Nightly中),你可以缩小一点:
Object.keys(obj).map(key => obj[key].value).reduce((previous, current) => previous + current);
在这种情况下,你真正想要的是Object.values。下面是一个简明的ES6实现:
const add = {
a: {value:1},
b: {value:2},
c: {value:3}
}
const total = Object.values(add).reduce((t, {value}) => t + value, 0)
console.log(total) // 6
或者仅仅是:
const add = {
a: 1,
b: 2,
c: 3
}
const total = Object.values(add).reduce((t, n) => t + n)
console.log(total) // 6
如果作为数组处理就容易多了
返回水果的总数:
let fruits = [{ name: 'banana', id: 0, quantity: 9 }, { name: 'strawberry', id: 1, quantity: 1 }, { name: 'kiwi', id: 2, quantity: 2 }, { name: 'apple', id: 3, quantity: 4 }]
let total = fruits.reduce((sum, f) => sum + f.quantity, 0);
由于它还没有在答案中得到证实,因此下划线的减少也适用于此。
_.reduce({
a: {value:1},
b: {value:2},
c: {value:3}
}, function(prev, current){
//prev is either first object or total value
var total = prev.value || prev
return total + current.value
})
注意,_。如果列表对象只有一项,Reduce将返回唯一的值(对象或其他),而不调用迭代器函数。
_.reduce({
a: {value:1}
}, function(prev, current){
//not called
})
//returns {value: 1} instead of 1