我使用$ .ajax从服务器获取一些HTML。
我的javascript使用了promises,我想避免创建另一个promise并使用jQuery ajax,因为它已经是一个承诺。
但是,有什么方法可以拒绝承诺内部的承诺"完成"回调?
我的代码看起来像这样:
function get_html(){
return $.ajax({ .... }).done(function(response){
if(response.haveErrors){
// here how do I reject and return the promise?
return;
}
// code #2 should run normally
// but can i pass a "parameter" to done() ?
}).fail(function(){
....
});
}
和用法:
get_html().done(function(parameter){
// code #2
}).fail(function(){
});
另外,是否可以将参数传递给代码#2?完成回调?
答案 0 :(得分:4)
有没有办法可以拒绝“完成”回调中的承诺?
不,因为done
不会创建新的承诺,只有在承诺已经履行时才会调用。您需要使用then
进行链接 - 它会创建一个可以从回调中拒绝的新承诺。但是,使用jQuery this is a bit more complicated,我们不能只在回调中throw
。
所以使用
function get_html() {
return $.ajax({…}).then(function(response) {
if (response.hasErrors) {
return $.Deferred().reject(response.errors);
}
// else
return response; // which is getting passed as the parameter below
});
}
然后
get_html().then(function(parameter) {
// code #2
}, function(err) {
// …
});
答案 1 :(得分:0)
似乎您的代码应如下所示:
function get_html(){
return $.ajax({ .... });
}
get_html().done(function(response){
// process a response from your server here...
}).fail(function(){
// process errors here...
});