229

有一种很好的 Array 方法reduce()可以从 Array 中获取一个值。例子:

[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()实现任何方法。

4

15 回答 15

308

一种选择reducekeys()

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 });
于 2013-04-01T18:03:46.473 回答
117

在这种情况下,您真正​​想要的是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
于 2017-08-20T16:54:31.740 回答
71

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);
于 2017-02-27T14:58:23.897 回答
20

首先,您不太了解reduce以前的值是什么。

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

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

PS 在 ES6 中使用胖箭头函数的语法(已经在 Firefox Nightly 中),你可以缩小一点:

Object.keys(obj).map(key => obj[key].value).reduce((previous, current) => previous + current);
于 2013-04-01T18:16:07.007 回答
4

可以使用以下方法将对象转换为数组:Object.entries()Object.keys()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
);
于 2018-12-27T12:21:33.307 回答
4

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

在上面的示例中,它是一个包含三个对象的对象。

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

使用 Object.keys

Object.keys 只给我们对象的键。

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

Object.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() 取决于您和您想要做什么。

于 2021-10-14T18:32:28.850 回答
3

扩展 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; '.

n'Joy it,伙计们!;-)

于 2014-10-05T11:43:12.620 回答
3

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}
于 2016-05-09T14:50:43.203 回答
2

您可以使用生成器表达式(多年来在所有浏览器和 Node 中都支持)来获取可以减少的列表中的键值对:

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

>>> [[i, a[i]] for (i in a) if (a.hasOwnProperty(i))]
[["b", 3]]
于 2013-04-01T18:14:22.340 回答
1

如果您可以使用数组,请使用数组,数组的长度和顺序是其价值的一半。

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

/* 返回值:(数字)6 */

于 2013-04-01T18:22:50.553 回答
1

这不是很难自己实现:

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);
    }
}
于 2013-04-01T19:01:11.973 回答
1

试试这个。它将从其他变量中排序数字。

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)
于 2020-03-14T08:30:26.590 回答
1

如果作为数组处理会容易得多

返回水果的总量:

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);
于 2021-01-21T17:00:50.200 回答
0

由于尚未真正在答案中得到确认,因此下划线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
于 2018-03-01T00:54:51.467 回答
0

试试这个单线箭头功能

Object.values(o).map(a => a.value, o).reduce((ac, key, index, arr) => ac+=key)
于 2019-07-25T05:30:22.910 回答