0

我正在尝试创建一个要调用的函数队列以返回自动完成结果。其中一些是我通过 $.getJSON 调用自己构建的函数,而另一些是由外部开发人员使用为 jQuery UI autocomplete 指定的内容提供给我的。

例如,这里提供了一个假的。我不知道它是否真正异步或何时可能调用回调:

var providedFunction = function(search, response) {
    setTimeout(function() {
        var arr = ['One', 'Two', 'Demo Custom'];
        response($.grep(arr, function (s) { return s.indexOf(search) === 0; }));
    },5000);
};

然后我想将它与其他一些 $.getJSON 调用结合起来,直到整个列表完成后才继续:

var searchTerm = "Demo";
var allResults = [];
var functionQueue = [];

functionQueue.push(
    $.getJSON( 'http://ws.geonames.org/searchJSON?featureClass=P&style=short&maxRows=50&name_startsWith=' + searchTerm)
    .success( function(data) {
        $.each(data.geonames, function(i,d) { 
            allResults.push(d.name); });
    })
);

functionQueue.push(
    providedFunction(searchTerm, function(data) {
        allResults.push.apply(allResults, data);
    })
);

// wait for all asyc functions to have added their results,
$.when.apply($, functionQueue).done(function() {
    console.log(allResults.length, allResults);
});                

问题是 $.when 不等待提供的功能完成。它会在所有 $.getJSON 调用完成后立即返回。很明显,我没有正确连接提供的功能,但我不知道该怎么做。

4

1 回答 1

2

如果你决定使用 $.when,你会想要创建一个 deferreds 数组,所以你可以像这样调用提供的函数:

functionQueue.push( (function(){
        var df = new $.Deferred();
        providedFunction(searchTerm, function(data) {
            allResults.push.apply(allResults, data);
            df.resolve();
        })
        return df;
    })()
);

当然,如果你真的很喜欢,你可以使用这个方便的实用程序将基于回调的 API 转换为基于承诺/延迟的 API:

function castAPItoDeferred(origFunction){
    return function(){
        var df = new $.Deferred(),
            args = Array.prototype.slice.call(arguments, 0);
        // assume that the API assumes the last arg is the callback
        args.push(function(result){
            df.resolve(result);
        });
        try {
            origFunction.apply(null, args);
        } catch(e) {
           df.reject(e);
        }
        return df;
    }
}

这将允许你做这样的好事:

providedFunctionAsDeferred = castAPItoDeferred(providedFunction);

functionQueue.push(
    providedFunctionAsDeferred(searchTerm)
    .success( function(data) {
        allResults.push.apply(allResults, data);
    })
);

最后一个警告 - 如果您确实走第二条路线,请记住如果在对象上调用 API 函数(如myApi.doSomeAsyncThing) ,请连接/绑定您的 API 函数

最后,使用 $.when 的替代方法是手动跟踪事物,可能使用计数器。例如:

var counter = 2; // set your number of ops here

var checkIfFinished = function(){
    if(--counter === 0) {
        triggerAllEventsCompleteFunc(); // replace this with your desired action
    }
}

// call checkIfFinished in all your callbacks
于 2013-04-01T20:29:33.550 回答