118

我想总结一个对象的值。

我已经习惯了 python 的位置:

sample = { 'a': 1 , 'b': 2 , 'c':3 };
summed =  sum(sample.itervalues())     

以下代码有效,但代码很多:

function obj_values(object) {
  var results = [];
  for (var property in object)
    results.push(object[property]);
  return results;
}

function list_sum( list ){
  return list.reduce(function(previousValue, currentValue, index, array){
      return previousValue + currentValue;
  });
}

function object_values_sum( obj ){
  return list_sum(obj_values(obj));
}

var sample = { a: 1 , b: 2 , c:3 };
var summed =  list_sum(obj_values(a));
var summed =  object_values_sum(a)

我是否遗漏了任何明显的东西,或者就是这样?

4

15 回答 15

134

它可以很简单:

const sumValues = obj => Object.values(obj).reduce((a, b) => a + b);

引用 MDN:

Object.values()方法返回给定对象自己的可枚举属性值的数组,其顺序与for...in循环提供的顺序相同(不同之处在于 for-in 循环也枚举原型链中的属性)。

来自Object.values()MDN

reduce()方法对累加器和数组的每个值(从左到右)应用函数以将其减少为单个值。

来自Array.prototype.reduce()MDN

你可以像这样使用这个函数:

sumValues({a: 4, b: 6, c: -5, d: 0}); // gives 5

请注意,此代码使用了一些旧版浏览器(如 IE)不支持的一些 ECMAScript 功能。你可能需要使用Babel来编译你的代码。

于 2016-08-19T19:23:39.093 回答
92

您可以将它们全部放在一个函数中:

function sum( obj ) {
  var sum = 0;
  for( var el in obj ) {
    if( obj.hasOwnProperty( el ) ) {
      sum += parseFloat( obj[el] );
    }
  }
  return sum;
}
    
var sample = { a: 1 , b: 2 , c:3 };
var summed = sum( sample );
console.log( "sum: "+summed );


为了好玩,这里是另一个使用Object.keys()and的实现Array.reduce()(浏览器支持应该不再是一个大问题):

function sum(obj) {
  return Object.keys(obj).reduce((sum,key)=>sum+parseFloat(obj[key]||0),0);
}
let sample = { a: 1 , b: 2 , c:3 };

console.log(`sum:${sum(sample)}`);

但这似乎要慢得多:jsperf.com

于 2013-05-08T20:10:34.907 回答
28

如果您使用的是 lodash,您可以执行类似的操作

_.sum(_.values({ 'a': 1 , 'b': 2 , 'c':3 })) 
于 2015-10-22T20:17:21.230 回答
24

常规for循环非常简洁:

var total = 0;

for (var property in object) {
    total += object[property];
}

object.hasOwnProperty如果您修改了原型,您可能需要添加。

于 2013-05-08T20:09:58.237 回答
20

现在您可以使用reduce函数并获得总和。

const object1 = { 'a': 1 , 'b': 2 , 'c':3 }

console.log(Object.values(object1).reduce((a, b) => a + b, 0));

于 2019-07-04T07:37:42.663 回答
15

老实说,考虑到我们的“现代”,我会尽可能采用函数式编程方法,如下所示:

const sumValues = (obj) => Object.keys(obj).reduce((acc, value) => acc + obj[value], 0);

我们的 accumulator acc,从 0 开始,正在累积我们对象的所有循环值。这具有不依赖于任何内部或外部变量的额外好处;它是一个常量函数,因此不会被意外覆盖……为 ES2015 赢得胜利!

于 2016-06-15T20:50:01.407 回答
12

你有什么理由不只是使用一个简单的for...in循环?

var sample = { a: 1 , b: 2 , c:3 };
var summed = 0;

for (var key in sample) {
    summed += sample[key];
};

http://jsfiddle.net/vZhXs/

于 2013-05-08T20:10:03.617 回答
4

let prices = {
  "apple": 100,
  "banana": 300,
  "orange": 250
};

let sum = 0;
for (let price of Object.values(prices)) {
  sum += price;
}

alert(sum)

于 2020-04-03T06:56:38.267 回答
1

使用 Lodash

 import _ from 'Lodash';
 
 var object_array = [{a: 1, b: 2, c: 3}, {a: 4, b: 5, c: 6}];
 
 return _.sumBy(object_array, 'c')
 
 // return => 9

于 2019-09-07T20:31:08.003 回答
1

但是,如果您需要更强大和更灵活的解决方案,那么我对聚会有点迟钝,那么这是我的贡献。如果您只想对嵌套对象/数组组合中的特定属性求和,以及执行其他聚合方法,那么这是我在 React 项目中使用的一个小函数:

var aggregateProperty = function(obj, property, aggregate, shallow, depth) {
    //return aggregated value of a specific property within an object (or array of objects..)

    if ((typeof obj !== 'object' && typeof obj !== 'array') || !property) {
        return;
    }

    obj = JSON.parse(JSON.stringify(obj)); //an ugly way of copying the data object instead of pointing to its reference (so the original data remains unaffected)
    const validAggregates = [ 'sum', 'min', 'max', 'count' ];
    aggregate = (validAggregates.indexOf(aggregate.toLowerCase()) !== -1 ? aggregate.toLowerCase() : 'sum'); //default to sum

    //default to false (if true, only searches (n) levels deep ignoring deeply nested data)
    if (shallow === true) {
        shallow = 2;
    } else if (isNaN(shallow) || shallow < 2) {
        shallow = false;
    }

    if (isNaN(depth)) {
        depth = 1; //how far down the rabbit hole have we travelled?
    }

    var value = ((aggregate == 'min' || aggregate == 'max') ? null : 0);
    for (var prop in obj) {
        if (!obj.hasOwnProperty(prop)) {
            continue;
        }

        var propValue = obj[prop];
        var nested = (typeof propValue === 'object' || typeof propValue === 'array');
        if (nested) {
            //the property is an object or an array

            if (prop == property && aggregate == 'count') {
                value++;
            }

            if (shallow === false || depth < shallow) {
                propValue = aggregateProperty(propValue, property, aggregate, shallow, depth+1); //recursively aggregate nested objects and arrays
            } else {
                continue; //skip this property
            }
        }

        //aggregate the properties value based on the selected aggregation method
        if ((prop == property || nested) && propValue) {
            switch(aggregate) {
                case 'sum':
                    if (!isNaN(propValue)) {
                        value += propValue;
                    }
                    break;
                case 'min':
                    if ((propValue < value) || !value) {
                        value = propValue;
                    }
                    break;
                case 'max':
                    if ((propValue > value) || !value) {
                        value = propValue;
                    }
                    break;
                case 'count':
                    if (propValue) {
                        if (nested) {
                            value += propValue;
                        } else {
                            value++;
                        }
                    }
                    break;
            }
        }
    }

    return value;
}

它是递归的,非 ES6,它应该可以在大多数半现代浏览器中工作。你像这样使用它:

const onlineCount = aggregateProperty(this.props.contacts, 'online', 'count');

参数分解:

obj = 对象或数组
属性= 您希望在聚合上执行
聚合方法的嵌套对象/数组中的属性= 聚合方法(sum、min、max 或 count)
shallow = 可以设置为 true/ false 或数值
depth = 应为 null 或未定义(用于跟踪后续递归回调)

如果您知道不需要搜索深度嵌套的数据,则可以使用 Shallow 来提高性能。例如,如果您有以下数组:

[
    {
        id: 1,
        otherData: { ... },
        valueToBeTotaled: ?
    },
    {
        id: 2,
        otherData: { ... },
        valueToBeTotaled: ?
    },
    {
        id: 3,
        otherData: { ... },
        valueToBeTotaled: ?
    },
    ...
]

如果您想避免循环遍历 otherData 属性,因为您要聚合的值没有嵌套那么深,您可以将 shallow 设置为 true。

于 2017-05-19T19:15:38.597 回答
0

我们可以使用in关键字迭代对象,并且可以执行任何算术运算。

// input
const sample = {
    'a': 1,
    'b': 2,
    'c': 3
};

// var
let sum = 0;

// object iteration
for (key in sample) {
    //sum
    sum += (+sample[key]);
}
// result
console.log("sum:=>", sum);

于 2020-06-24T05:30:48.197 回答
0

通过解析 Integer 对对象键值求和。将字符串格式转换为整数并对值求和

var obj = {
  pay: 22
};
obj.pay;
console.log(obj.pay);
var x = parseInt(obj.pay);
console.log(x + 20);

于 2020-10-30T13:48:38.190 回答
0

一个ramda one 班轮:

import {
 compose, 
 sum,
 values,
} from 'ramda'

export const sumValues = compose(sum, values);

利用: const summed = sumValues({ 'a': 1 , 'b': 2 , 'c':3 });

于 2018-12-04T16:03:41.440 回答
0

在尝试解决类似问题时,我从@jbabey 遇到了这个解决方案。稍加修改,我就做对了。在我的例子中,对象键是数字(489)和字符串(“489”)。因此,为了解决这个问题,每个键都被解析。以下代码有效:

var array = {"nR": 22, "nH": 7, "totB": "2761", "nSR": 16, "htRb": "91981"}
var parskey = 0;
for (var key in array) {
    parskey = parseInt(array[key]);
    sum += parskey;
};
return(sum);
于 2017-03-31T04:40:37.930 回答
0

一个简单的解决方案是使用 for..in 循环来查找总和。

function findSum(obj){
  let sum = 0;
  for(property in obj){
    sum += obj[property];
  }
  return sum;
}


var sample = { a: 1 , b: 2 , c:3 };
console.log(findSum(sample));
于 2021-08-23T07:46:59.927 回答