1

我在 javascript 事件的时间安排上遇到了一些问题。我遇到的问题是代码的一部分似乎在另一部分代码完成之前正在执行。我需要确保第一个代码在后一个代码开始之前完成。这是初始代码:

function(){     
    myLoop();  //this needs to complete before the call to myMethod below 
    $.ajax({
    url: sURL + "myController/myMethod",
    success: function() {       
    $.msg("My Success Message",{live:10000});
    error: function(){
    $.msg("My Error Message",{live:10000});
});
}

这是循环并将记录插入数据库的代码:

function myLoop(){
$('input[name=c_maybe].c_box').each(function(){
if( $(this).prop('checked') ){ 
    var rn = $(this).prop('value'); 
    $.ajax({
        url: sURL + 'myController/myInsert',
        type:"POST",
        dataType: 'text',
        data: {'rn': rn},
        success: function(data) {
            //not sure what to do on success.
        }
    });
} 
}); 
} 

似乎正在发生的问题myController\myMethod是在myLoop完成将所有记录插入数据库之前发生调用。

有人可以为我建议一种重新设计此代码的方法,以便我可以确保在完全完成myController\myMethod之前不会调用它?myLoop

谢谢。

4

3 回答 3

2

您可以使用已添加到 jQuery 的 $.when 函数。

它是这样的:

   $.when(ajaxFunction1(), ajaxFunction1()).done(function(response1, response2){
    // when the function calls are done this code here will be executed -> the response will be passed as parameters corresponding to the functions -> response1, response2
   });

或者您可以尝试在 ajax 函数中使用“beforeSend”:

$.ajax({
   beforeSend: function(){    
     alert("doing stuff before the ajax call ...");    
   },
   success: function(){    
    alert("Whoa!");    
   }
 });
于 2013-01-30T03:39:14.477 回答
2
function myLoop() {
   var jqxhrs = [];
   if( $(this).prop('checked') ){ 
       var rn = $(this).prop('value'); 
       jqxhrs.push($.ajax({...
   }
   return jqxhrs;
}

function () {
   $.when.apply(undefined, myLoop()).done(function () {
      $.ajax({
         url: sURL + "myController/myMethod",
         ...
   });
}

$.when.apply用于调用$.whenajax 请求数组,因此.done在它们全部完成之前不会被调用。

于 2013-01-30T03:40:26.147 回答
-1

您可以使 ajax 调用同步。这样,执行将被阻止,直到 ajax 调用返回:

$.ajax({
    url: sURL + 'myController/myInsert',
    type:"POST",
    dataType: 'text',
    data: {'rn': rn},
    async: false,
    success: function(data) {
        //not sure what to do on success.
    }
});
于 2013-01-30T03:47:31.103 回答