web-dev-qa-db-ja.com

jquery複数のajax呼び出しを次々に使用する方法

私はモバイルアプリを使用しており、複数のAjax呼び出しを使用して以下のようなWebサーバーからデータを受信します

function get_json() {
    $(document).ready(function() {
        $.ajax({
            url: 'http://www.xxxxxxxxxxxxx',
            data: {
                name: 'xxxxxx'
            },
            dataType: 'jsonp',
            //jsonp: 'callback',
            //jsonpCallback: 'jsonpCallback',
            success: function(data) {
                $.each(data.posts, function(i, post) {
                    $.mobile.notesdb.transaction(function(t) {
                        t.executeSql('INSERT into bill (barcode, buildingcode, buildingaddress, flatname, flatdescription, entryseason, period, amount, pastpayments, todaypayments, paydate, receiptno) VALUES (?,?,?,?,?,?,?,?,?,?,?,?);', [post.Id, post.Code, post.Address, post.Name, post.Description, post.EntrySeason, post.Period, post.Revenue, post.PastPayments, post.todaypayments, post.paydate, post.receiptno],
                        //$.mobile.changePage('#page3', 'slide', false, true),  
                        null);
                    });
                    $('#mycontent').append(post.Name);
                });
            }
        });

        $.ajax({
            xxxx
        });

        $.ajax({
            xxxx
        });
    });
}

2番目のajax呼び出しを、最初の呼び出しの終了後に強制的に開始するにはどうすればよいですか?

40
kosbou

依存するもののsuccess:内に配置します。

$.ajax({
    url: 'http://www.xxxxxxxxxxxxx',
    data: {name: 'xxxxxx'},
    dataType: 'jsonp',
    success: function(data){

        // do stuff

        // call next ajax function
        $.ajax({ xxx });
    }
});
48
Timothy Aaron

多少近づいていますが、関数を逆方向ではなくdocument.readyイベントハンドラー内に配置する必要があります。

これを行うもう1つの方法は、AJAX呼び出しを汎用関数に配置し、その関数をAJAXコールバックから呼び出して一連の要求を順番にループすることです。 :

$(function () {

    //setup an array of AJAX options,
    //each object will specify information for a single AJAX request
    var ajaxes  = [
            {
                url      : '<url>',
                data     : {...},
                callback : function (data) { /*do work on data*/ }
            },
            {
                url      : '<url2>',
                data     : {...},
                callback : function (data) { /*maybe something different (maybe not)*/ }
            }
        ],
        current = 0;

    //declare your function to run AJAX requests
    function do_ajax() {

        //check to make sure there are more requests to make
        if (current < ajaxes.length) {

            //make the AJAX request with the given info from the array of objects
            $.ajax({
                url      : ajaxes[current].url,
                data     : ajaxes[current].data,
                success  : function (serverResponse) {

                    //once a successful response has been received,
                    //no HTTP error or timeout reached,
                    //run the callback for this request
                    ajaxes[current].callback(serverResponse);

                },
                complete : function () {

                    //increment the `current` counter
                    //and recursively call our do_ajax() function again.
                    current++;
                    do_ajax();

                    //note that the "success" callback will fire
                    //before the "complete" callback

                }
            });
        }
    }

    //run the AJAX function for the first time once `document.ready` fires
    do_ajax();

});

この例では、次のAJAXリクエストを実行する再帰呼び出しがcompleteコールバックとして設定されているため、現在のレスポンスのステータスに関係なく実行されます。要求がタイムアウトするか、HTTPエラー(または無効な応答)を返す場合、次の要求は引き続き実行されます。要求が成功した場合にのみ後続の要求を実行する必要がある場合は、successコールバックを使用して再帰を作成します通話が最適です。

コメントの良い点に関して2018-08-21を更新しました。

51
Jasper

これは私がしばらく使用してきた最もエレガントなソリューションです。外部カウンター変数を必要とせず、素敵なカプセル化レベルを提供します。

var urls = ['http://..', 'http://..', ..];

function ajaxRequest (urls) {
    if (urls.length > 0) {
        $.ajax({
            method: 'GET',
            url: urls.pop()
        })
        .done(function (result)) {
            ajaxRequest(urls);
        });
    }
}

ajaxRequest(urls); 
10
zoxxx

各ajax呼び出しを名前付き関数でラップし、前の呼び出しの成功コールバックに追加するだけです:

function callA() {
    $.ajax({
    ...
    success: function() {
      //do stuff
      callB();
    }
    });
}

function callB() {
    $.ajax({
    ...
    success: function() {
        //do stuff
        callC();
    }
    });
}

function callC() {
    $.ajax({
    ...
    });
}


callA();
10
Skylar Anderson

Jqueryをwhenおよびthen関数を使用することもできます。例えば

 $.when( $.ajax( "test.aspx" ) ).then(function( data, textStatus, jqXHR ) {
  //another ajax call
});

https://api.jquery.com/jQuery.when/

8
Lyon

以下はajax呼び出しを順序付けしないため、より実用的であると考えますが、それは確かに好みの問題です。

function check_ajax_call_count()
{
    if ( window.ajax_call_count==window.ajax_calls_completed )
    {
        // do whatever needs to be done after the last ajax call finished
    }
}
window.ajax_call_count = 0;
window.ajax_calls_completed = 10;
setInterval(check_ajax_call_count,100);

これで、指定した送信回数(window.ajax_calls_completed)に達するまで、ajaxリクエストの成功部分内でwindow.ajax_call_countを繰り返すことができます。

2
arunzer

まだ試したことはありませんが、これはajax呼び出しが多数ある場合に考えられる最良の方法です。

方法1:

let ajax1= $.ajax({url:'', type:'', . . .});
let ajax2= $.ajax({url:'', type:'', . . .});
.
.
.
let ajaxList = [ajax1, ajax2, . . .]

let count = 0;
let executeAjax = (i) => {
   $.when(ajaxList[i]).done((data) => {
      //  dataOperations goes here
      return i++
   })
}
while (count< ajaxList.length) {
   count = executeAjax(count)
}

一握りしかない場合は、常にこのようにネストできます。

方法2:

$.when(ajax1).done((data1) => {
      //  dataOperations goes here on data1
      $.when(ajax2).done((data2) => {
         //  Here you can utilize data1 and data 2 simultaneously 
         . . . and so on
      })
   })

注:繰り返しタスクの場合はmethod1に進み、各データを別々に処理する場合は、method2にネストする方が理にかなっています。

0
adityajain019
$(document).ready(function(){
 $('#category').change(function(){  
  $("#app").fadeOut();
$.ajax({
type: "POST",
url: "themes/ajax.php",
data: "cat="+$(this).val(),
cache: false,
success: function(msg)
    {
    $('#app').fadeIn().html(msg);
    $('#app').change(function(){    
    $("#store").fadeOut();
        $.ajax({
        type: "POST",
        url: "themes/ajax.php",
        data: "app="+$(this).val(),
        cache: false,
        success: function(ms)
            {
            $('#store').fadeIn().html(ms);

            }
            });// second ajAx
        });// second on change


     }// first  ajAx sucess
  });// firs ajAx
 });// firs on change

});
0
Avinash Saini