4

我需要为多个值调用异步函数(带循环)并等待这些结果。现在我正在使用以下代码:

(function(){
    var when_done = function(r){ alert("Completed. Sum of lengths is: [" + r + "]"); }; // call when ready

    var datain = ['google','facebook','youtube','twitter']; // the data to be parsed
    var response = {pending:0, fordone:false, data:0}; // control object, "data" holds summed response lengths
        response.cb = function(){ 
            // if there are pending requests, or the loop isn't ready yet do nothing
            if(response.pending||!response.fordone) return; 
            // otherwise alert.
            return when_done.call(null,response.data); 
        }

    for(var i=0; i<datain; i++)(function(i){
        response.pending++; // increment pending requests count
        $.ajax({url:'http://www.'+datain[i]+'.com', complete:function(r){
            response.data+= (r.responseText.length);
            response.pending--; // decrement pending requests count
            response.cb(); // call the callback
        }});
    }(i));

    response.fordone = true; // mark the loop as done
    response.cb(); // call the callback
}()); 

这并不是很优雅,但它可以完成工作。有没有更好的方法呢?也许是包装?

4

2 回答 2

7

异步 JS救援(对于客户端和服务器端 JavaScript)!您的代码可能如下所示(包含 async.js 后):

var datain = ['google','facebook','youtube','twitter'];

var calls = [];

$.each(datain, function(i, el) {
    calls.push( function(callback) {
        $.ajax({
            url : 'http://www.' + el +'.com',
            error : function(e) {
                callback(e);
            },
            success : function(r){
                callback(null, r);
            }
        });
    });
});

async.parallel(calls, function(err, result) {
   /* This function will be called when all calls finish the job! */
   /* err holds possible errors, while result is an array of all results */
});

顺便说一句:异步还有其他一些非常有用的功能。

顺便说一句 2:注意使用$.each.

于 2012-05-28T10:34:43.827 回答
1

为此,您可以使用jQuery Deferred 对象。

var def = $.when.apply(null, xhrs)xhrs一个包含 $.ajax() 请求的返回值的数组。然后您可以注册一个回调def.done(function() { ... });并使用arguments类似数组的对象来访问各种请求的响应。要正确处理它们,请删除您的complete回调并添加dataType: 'text'并使用以下回调done()

function() {
    var response = Array.prototype.join.call(arguments, '');
    // do something with response
}
于 2012-05-28T10:36:17.853 回答