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;
});

然而,Object似乎没有实现任何reduce()方法。

370932 次浏览

一个选项是reduce keys():

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

如果你想将结果作为Object ({ value: ... }),你必须每次初始化并返回该对象:

Object.keys(o).reduce(function (previous, key) {
previous.value += o[key].value;
return previous;
}, { value: 0 });

你可以使用生成器表达式(多年来所有浏览器都支持,Node中也支持)来获取列表中的键-值对:

>>> a = {"b": 3}
Object { b=3}


>>> [[i, a[i]] for (i in a) if (a.hasOwnProperty(i))]
[["b", 3]]

首先,你不太清楚减少之前的值是什么。

在你的伪代码中,你有return previous.value + current.value,因此previous值在下次调用时将是一个数字,而不是一个对象。

其次,reduce是一个数组方法,而不是对象的方法,当你迭代对象的属性时,你不能依赖于顺序(参见:https://developer.mozilla.org/en-US/docs/JavaScript/Reference/Statements/for...in,这也适用于);所以我不确定在对象上应用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);

如果你可以使用数组,那就使用数组,数组的长度和顺序是它价值的一半。

function reducer(obj, fun, temp){
if(typeof fun=== 'function'){
if(temp== undefined) temp= '';
for(var p in obj){
if(obj.hasOwnProperty(p)){
temp= fun(obj[p], temp, p, obj);
}
}
}
return temp;
}
var O={a:{value:1},b:{value:2},c:{value:3}}


reducer(O, function(a, b){return a.value+b;},0);

/*返回值:(Number) 6 * / < / p >

这并不难自己实现:

function reduceObj(obj, callback, initial) {
"use strict";
var key, lastvalue, firstIteration = true;
if (typeof callback !== 'function') {
throw new TypeError(callback + 'is not a function');
}
if (arguments.length > 2) {
// initial value set
firstIteration = false;
lastvalue = initial;
}
for (key in obj) {
if (!obj.hasOwnProperty(key)) continue;
if (firstIteration)
firstIteration = false;
lastvalue = obj[key];
continue;
}
lastvalue = callback(lastvalue, obj[key], key, obj);
}
if (firstIteration) {
throw new TypeError('Reduce of empty object with no initial value');
}
return lastvalue;
}

在行动:

var o = {a: {value:1}, b: {value:2}, c: {value:3}};
reduceObj(o, function(prev, curr) { prev.value += cur.value; return prev;}, {value:0});
reduceObj(o, function(prev, curr) { return {value: prev.value + curr.value};});
// both == { value: 6 };


reduceObj(o, function(prev, curr) { return prev + curr.value; }, 0);
// == 6

你也可以把它添加到Object原型中:

if (typeof Object.prototype.reduce !== 'function') {
Object.prototype.reduce = function(callback, initial) {
"use strict";
var args = Array.prototype.slice(arguments);
args.unshift(this);
return reduceObj.apply(null, args);
}
}

延长Object.prototype。

Object.prototype.reduce = function( reduceCallback, initialValue ) {
var obj = this, keys = Object.keys( obj );


return keys.reduce( function( prevVal, item, idx, arr ) {
return reduceCallback( prevVal, item, obj[item], obj );
}, initialValue );
};

使用示例。

var dataset = {
key1 : 'value1',
key2 : 'value2',
key3 : 'value3'
};


function reduceFn( prevVal, key, val, obj ) {
return prevVal + key + ' : ' + val + '; ';
}


console.log( dataset.reduce( reduceFn, 'initialValue' ) );
'Output' == 'initialValue; key1 : value1; key2 : value2; key3 : value3; '.

高兴吧,伙计们!!: -)

1:

[{value:5}, {value:10}].reduce((previousValue, currentValue) => { return {value: previousValue.value + currentValue.value}})


>> Object {value: 15}

2:

[{value:5}, {value:10}].map(item => item.value).reduce((previousValue, currentValue) => {return previousValue + currentValue })


>> 15

3:

[{value:5}, {value:10}].reduce(function (previousValue, currentValue) {
return {value: previousValue.value + currentValue.value};
})


>> Object {value: 15}

ES6实现: Object.entries ()

const o = {
a: {value: 1},
b: {value: 2},
c: {value: 3}
};


const total = Object.entries(o).reduce(function (total, pair) {
const [key, value] = pair;
return total + value.value;
}, 0);

在这种情况下,你真正想要的是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

由于它还没有在答案中得到确认,因此下划线的reduce也适用于此。

_.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

一个对象可以通过:Object.entries ()种()Object.values ()转换为数组,然后被还原为数组。但是,您也可以在不创建中间数组的情况下缩减对象。

我已经创建了一个小的帮助库odict用于处理对象。

npm install --save odict

它有reduce函数,工作方式非常类似于Array.prototype.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
);

试试这个线性箭头函数

Object.values(o).map(a => a.value, o).reduce((ac, key, index, arr) => ac+=key)

试试这个。它将对来自其他变量的数字进行排序。

const obj = {
a: 1,
b: 2,
c: 3
};
const result = Object.keys(obj)
.reduce((acc, rec) => typeof obj[rec] === "number" ? acc.concat([obj[rec]]) : acc, [])
.reduce((acc, rec) => acc + rec)

如果作为数组处理就容易多了

返回水果的总数:

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);

让我总结一下可能性。目标始终是用对象创建一个数组。这里有各种Javascript对象函数。对于每个单独的函数,都有不同的解释方法。它总是取决于我们的对象是什么样子的以及我们想要做什么。

在上面的例子中,它是一个有三个对象的对象。

const obj = {
a: {value: 1},
b: {value: 2},
c: {value:3}
};

与种

对象。键只给我们对象的键。

const arr = Object.keys(obj);
// output arr:
[a, b, c]


const result = arr.reduce((total, key) => {
return sum + obj[key].value;
}, 0);
// output result
// 6

与Object.value

Object.value()返回数组中的每一个值。

const arr = Object.value(obj);
// output arr
[
{value: 1},
{value: 2},
{value: 3},
]


const result = arr.reduce((total, singleValue) => {
return total + singleValue.value;
}, 0);


// output result
// 6


// Or the short variant
const resultShort = Object.values(obj).reduce((t, n) => t + n.value, 0)


// output resultShort
// 6

与Object.entries

对象。Entries将每个单独的对象值分割为一个数组。

const arr = Object.entries(obj)
// output arr
[
["a", {visitors: 1}],
["b", {visitors: 2}],
["c", {visitors: 4}]
]


const result = arr.reduce((total, singleArr) => {
return total + singleArr[1].value;
}, 0);


// output result
// 6


使用reduce还是使用数组函数map()取决于你自己和你想做什么。