An example to make clear what i want to do. This is what I would usually do:
function success(data, status, jqxhr){
if ( data.error )
return failure(jqxhr, status, data.error);
// process data
}
function failure(jqxhr, status, err){
...
}
$.ajax( ... )
.done(success)
.fail(failure)
Is there any way, i can accomplish this with anonymous functions only, like so?
$.ajax( ... )
.done(function(data, status, jqxhr){
if(data.error)
// what do i need to do here to jump in to the fail handler?
})
.fail(function(jqxhr, status, err){
...
})
what do i need to do here to jump in to the fail handler?
Don't use done
, but then
to map over the result of the promise. By returning a rejected promise you can "throw" an error and reject the resulting promise, so that your fail handler is executed.
$.ajax(…)
.then(function(data, status, jqxhr){
if (data.error)
return $.Deferred().reject(data.error);
else
return data; // if you want to return multiple arguments, you'd use
// $.Deferred().resolve(data, status, jqxhr);
})
.done(function(data) {
…
})
.fail(function(jqxhr, status, err){
…
});
来源:https://stackoverflow.com/questions/21110775/can-i-force-jquery-deferred-ajax-to-execute-fail-handler-after-it-has-been-resol