我在javascript中遇到了回调函数的问题。我想要做的是:循环for和调用传递i
作为参数的函数。考虑到这一点,我必须在前一个交互完成之后循环到下一个交互。我不知道这是否有问题,但在我发送i
作为参数的函数内部,我有另一个回调函数。这是我的代码:
for(i=0; i<10; i++) {
aux(i, function(success) {
/*
* this should be made interaction by interaction
* but what happens is: while I'm still running my first interaction
* (i=0), the code loops for i=1, i=2, etc. before the response of
* the previous interaction
*/
if(!success)
doSomething();
else
doSomethingElse();
});
}
function aux(i, success) {
... //here I make my logic with "i" sent as parameter
getReturnFromAjax(function(response) {
if(response)
return success(true);
else
return success(false);
});
});
function getReturnFromAjax(callback) {
...
$.ajax({
url: myUrl,
type: "POST",
success: function (response) {
return callback(response);
}
});
}
答案 0 :(得分:1)
我建议您查看jQuery的Deferred Objects和jQuery.Deferred()-method,而不是制作自己的回调队列函数(因为您已经在使用jQuery了)。
描述:一个返回可链接实用程序的构造函数 具有将多个回调注册到回调的方法的对象 队列,调用回调队列,并中继成功或失败状态 任何同步或异步函数。
答案 1 :(得分:1)
jQuery's Deferred
可能有点棘手。你要做的就是将你的承诺堆叠在一起。例如:
var
// create a deferred object
dfd = $.Deferred(),
// get the promise
promise = dfd.promise(),
// the loop variable
i
;
for(i = 0; i < 10; i += 1) {
// use `then` and use the new promise for next itteration
promise = promise.then(
// prepare the function to be called, but don't execute it!
// (see docs for .bind)
aux.bind(null, i, function(success) {
success ? doSomethingElse() : doSomething();
})
);
}
// resolve the deferred object
dfd.resolve();
为了实现这一目标,aux
还必须返回一个承诺,但$.ajax
已经执行此操作,因此只需将其传递完毕即可实现:
aux
中的:
function aux(i, callback) {
console.log('executing for `aux` with', i);
// return the ajax-promise
return getReturnFromAjax(function(response) {
callback(Boolean(response));
});
}
getReturnFromAjax
中的:
function getReturnFromAjax(callback) {
// return the ajax-promise
return $.ajax({
url: '%your-url%',
type: '%method%',
success: function (response) {
callback(response);
}
});
}
答案 2 :(得分:0)
我没有jQuery的经验,但你的回调对我来说有点可疑。
在简单的JS中,我建议尝试以下几点:
function yourMainFunction
{
function callbackHandler(result)
{
// Code that depends on on the result of the callback
}
getAjaxResults(callbackHandler);
}
function getAjaxResults(callbackHandler)
{
// Create xmlHttpRequest Handler, etc.
// Make your AJAX request
xmlHttp.onreadystatechange = function()
{
if (xmlHttp.readyState == 4 && xmlHttp.status==200)
{
// Do stuff you want to do if the request was successful
// Define a variable with the value(s) you want to return to the main function
callbackHandler(yourReturnVariable);
}
}
}