0

我有以下功能:

function getAggregateData(){
        var sums = new Object();


    $.getJSON("example.json.php", function(data) {
           //for each month
           c = 0;
            $.each(data, function(key, val, index) {
                  //for each store
                $.each(val, function(key2, val2, index2) { 
                      if(c == 0){
                         sums[key2] = val2; 
                      }
                      else{
                         sums[key2] += val2; 
                      }

                });
                c++
            });

    })
    return sums;
}

然后我这样称呼:

var totals = getAggregateData();

但是当我控制台日志时,我完全被难住了:

console.log(totals)

揭示一个像这样的对象:

    store1  500
    store2  900
    store3  750
    and so on and so forth...

但是当我这样做时,console.log(totals['store1')我会变得不确定。

我也试过console.log(totals.store1)

console.log(totals[0].store1)

我遇到了某种类型的范围问题,或者我没有创建我认为的对象。

4

2 回答 2

2

看起来该函数将返回一个空对象,因为它没有等待 AJAX 调用完成。

如果您尝试在 $.getJSON 回调中的最后一行执行 console.log(totals.store1) ,您可能会得到结果。

您需要将任何需要来自“example.json.php”数据的代码放入一个回调中,该回调仅在 AJAX 调用返回后运行。

例如

function getAggregateData(){
    var sums = new Object();

    $.getJSON("example.json.php", function(data) {
       //for each month
       c = 0;
        $.each(data, function(key, val, index) {
              //for each store
            $.each(val, function(key2, val2, index2) { 
                  if(c == 0){
                     sums[key2] = val2; 
                  }
                  else{
                     sums[key2] += val2; 
                  }

            });
            c++
        });

        processAggregateData(sums);

    })
}

function processAggregateData(totals) {
    console.log(totals.store1);
}

getAggregateData();
于 2013-10-25T23:55:46.130 回答
0

给定:

{
    "1": {
        "store1": 2450,
        "store2": 1060,
        "store3": 310
    },
    "2": {
        "store1": 2460,
        "store2": 1760,
        "store3": 810
    }
};

如果您打算为每个商店添加结果,这应该可以工作。

/**
* This functions need to be called when we have the data
*/
function processSums(obj){
    console.log(obj);
}

function getAggregateData(){

    var sums = {};

    $.getJSON("example.json.php", function(data) {
            $.each(data, function() {
                $.each(this, function(key, val, index){                
                    sums[key] = sums[key] || 0;
                    sums[key] += val;               
                });
            });
            // 4910
            processSums(sums);
    });

    return sums;
}

getAggregateData();
于 2013-10-26T00:07:47.760 回答