有一个很好的数组方法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()方法。
在这种情况下,你真正想要的是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
一个对象可以通过以下方法转换为数组:object .entries(), object .keys(), object .values(),然后被还原为数组。但是,您也可以在不创建中间数组的情况下缩减对象。
我创建了一个小的帮助库odict用于处理对象。
npm install --save odict
它有一个类似于Array.prototype.reduce()的reduce函数:
export const reduce = (dict, reducer, accumulator) => {
for (const key in dict)
accumulator = reducer(accumulator, dict[key], key, dict);
return accumulator;
};
你也可以把它分配给:
Object.reduce = reduce;
因为这个方法非常有用!
所以你问题的答案是:
const result = Object.reduce(
{
a: {value:1},
b: {value:2},
c: {value:3},
},
(accumulator, current) => (accumulator.value += current.value, accumulator), // reducer function must return accumulator
{value: 0} // initial accumulator value
);
一种选择是减少键():
var o = {
a: {value:1},
b: {value:2},
c: {value:3}
};
Object.keys(o).reduce(function (previous, key) {
return previous + o[key].value;
}, 0);
有了这个,你会想要指定一个初始值,或者第一轮将是'a' + 2。
如果你想将结果作为对象({value:…}),你必须每次初始化并返回对象:
Object.keys(o).reduce(function (previous, key) {
previous.value += o[key].value;
return previous;
}, { value: 0 });