对象上的JavaScript Reduce()
有一个不错的数组方法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;
});
但是,对象似乎没有实现任何reduce()
方法。
解决方案
在这种情况下,您实际需要的是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
相关文章