按键在jQuery对象中求和值

时间:2015-01-29 03:15:01

标签: jquery each jquery-csv

我使用jQuery CSV(https://github.com/evanplaice/jquery-csv/)将csv文件转换为jQuery对象。

以下是代码:

    $.ajax({
        type: "GET",
        url: "/path/myfile.csv",
        dataType: "text",
        success: function(data) {
        // once loaded, parse the file and split out into data objects
        // we are using jQuery CSV to do this (https://github.com/evanplaice/jquery-csv/)

        var data = $.csv.toObjects(data);
    });

我需要通过对象中的键来总结值。具体来说,我需要将公司的bushels_per_day值相加。

对象格式如下:

    var data = [
        "0":{
            beans: "",
            bushels_per_day: "145",
            latitude: "34.6059253",
            longitude: "-86.9833417",
            meal: "",
            oil: "",
            plant_city: "Decatur",
            plant_company: "AGP",
            plant_state: "AL",
            processor_downtime: "",
        },
        // ... more objects
    ]

这不起作用:

    $.each(data, function(index, value) { 
        var capacity = value.bushels_per_day;
        var company = value.plant_company.replace(/\W+/g, '_').toLowerCase();
        var sum = 0;
        if (company == 'agp') {
            sum += capacity;
            console.log(sum);
        }
    });

它只返回公司的前导零值的每个值:

0145

0120

060

我该怎么做?

2 个答案:

答案 0 :(得分:3)

您需要使用parseInt()将字符串转换为数字。否则, +`会进行字符串连接而不是添加。

此外,您需要在循环外初始化sum。否则,您的总和每次都会被清除,而您并没有计算总数。

var sum = 0;
$.each(data, function(index, value) { 
    var capacity = parseInt(value.bushels_per_day, 10);
    var company = value.plant_company.replace(/\W+/g, '_').toLowerCase();
    if (company == 'agp') {
        sum += capacity;
        console.log(sum);
    }
});

答案 1 :(得分:0)

您在sum中使用了一个局部变量$.each,每次迭代都会重新分配该值,并且您的变量bushels_per_daystring类型化,因此JS只会将其连接起来#39;值为sum

的值

试试this。它对我有用