0

我想要两个对数据发出两个 AJAX 请求。一个或两个请求可能会失败。在这种情况下,我仍然想与来自两个请求(或成功请求)的数据进行交互。

如果我这样做:

$.when($.get("page1"), $.get("page2")).then(function(a1, a2) {

})

then只有两个请求都成功时,才会调用该函数,所以如果一个失败,我无法从成功的请求中获取任何数据。如果我当时使用failCallback,或者使用always方法,如下所示:

$.when($.get("page1"), $.get("page2")).then(function(a1, a2) {
    console.log("this is only called if both succeed.");
}, function(a1, a2, a3) {
    console.log("this is only called with a then() failure");
}).always(function(a1, a2, a3) {
    console.log("this will fire when always() does.");
});

failCallback 和 always 回调仅报告失败请求的数据,因此我无法获取有关成功请求的数据。同样,如果其中一个请求失败,则使用 done() deferred 不会调用。所以有一种情况,如果一个请求 404s,我无法从成功的函数中获取任何数据。

我想我可以解耦延迟,所以它们不在 when 循环中。但是,随后我遇到了确保两者都在继续之前完成的问题。

4

2 回答 2

1

这是一个选项(很抱歉没有使用 jQuery 延迟工具)

var NUM_CALLS = 2, count = 0, results = [], errors = [];
function callback(err, data) {
  count++;

  if (err){
    errors.push(err);
  }

  if (data){
    results.push(data);
  }

  if (count === NUM_CALLS) {
    done(errors,results);
  }
}


function ajax(url) {
  $.ajax({
    type: 'GET',
    url: url,
    success: function(){ return callback(null, arguments); },
    error: function(){ return callback(arguments, null)
  });
}

ajax('page1');
ajax('page2');

// now you have the errors and results
function done(errors, results) {

}
于 2012-12-24T03:21:56.820 回答
0

实用方法$.get()仅提供成功回调,但低级别$.ajax()提供成功、错误和始终回调(或它们的.done(), .fail(),.then()等价物)。通过解决您自己的 Deferred(对于每个将是 .get()),无论 ajax 是成功还是失败,您都可以获得所需的控制。

制定代码的方法一定有很多;这是一个,涉及一个适配器函数liberalGet(),它返回一个自由化的承诺,无论结果如何,它总是被解决并且永远不会被拒绝$.ajax()

function liberalGet(url) {
    var dfrd = $.Deferred();
    $.ajax({
        url: url
    }).then(dfrd.resolve);
    return dfrd.promise();
}

$.when(liberalGet("page1"), liberalGet("page2")).done(function(a1, a2) {
    var textStatus = [ a1[1], a2[1] ];//"success", "notmodified", "error", "timeout", "abort", or "parsererror".
    console.log(textStatus.join(', '));
});

如您所见, argumentsa1[1]使a2[1]您可以访问每个 ajax 响应的 textStatus。a1[0]a2[0]让您可以访问 jqXHR 对象(及其属性)。因此,您可以根据应用程序的需要在处理程序内循环和分支。

于 2012-12-25T07:54:57.547 回答