在触发时排队一系列ajax请求

时间:2015-09-09 04:53:41

标签: javascript jquery ajax

我希望使用JQuery排队一系列AJAX请求。 假设有一个函数updateImage(),它根据用户点击的按钮向服务器查询URL,并返回指向图像的链接。 服务器记录imageId,浏览器显示图像。此应用程序要求成功回调函数的顺序按其发送顺序触发(以便浏览器显示与用户的单击顺序对应的图像)。

举例说明:

//User a number of buttons in quick succession
$(".button").click(function(){
    var imageId = $(this).attr("id");
    updateImage(imageId);               
});

//Ajax success callbacks need to run in the order of the clicks
function updateImage(imageId) {
    $.ajax({
    url: /someurl,
    data: imageId,
    success: successFunction    //this function will update the DOM
  });
}

我考虑过$ .ajaxStop,但问题是还有其他AJAX函数我不想因为这个updateImage函数而暂停或排队。我也查看了$ .when,但是这允许你链接已知数量的ajax调用执行,但我不确定用户会点击多少次 - 我不确定这适用于此。

1 个答案:

答案 0 :(得分:2)

这可以实现你想要的。基本上下面的代码完全符合你的需要,一个带有异步ajax请求的同步事件队列。请务必填写updateImage函数,以及成功时需要做的事情。

编辑11/12/2015

Twitter上的@_ benng指出我的原始版本是pyramid of doom。 他是对的,因为队列可能会变异导致 不一致的索引问题(当点击事件处理程序触发时,数组更改长度, 导致在单击处理程序/ ajax回调中使用时索引发生更改 一个简单的补救方法是将队列复制到临时变量并对其进行处理,只进行截断 在没有突变的情况下安全地排队。我试图涵盖我能想到的所有边缘情况,但可能有一些我错过了。无论如何,快乐编码。如果出现问题,你可能想要使用悲观锁定,如果你能弄清楚如何在javascript中实现它。我多次尝试过失败。

$(function(){

    var queue = [],
    var q = {},
    var t;

    $(".button").click(function(){
        var index = queue.push({
            id: imageId,
            completed: false
        });
        $.ajax({
            url: /someurl,
            data: imageId,
            success: function(data){
                //since length is 1 based and index is 0 based
                //queue.length > index ~ queue.length >= index+1
                if(queue.length > index){
                    queue[index].completed = true;
                    $(q).trigger('completed');  
                }
            }
        });
    });

    $(q).on('completed',function(){
        if(typeof t === 'number') clearTimeout(t);
        //copy queue to a temporary array.
        var copy = (function(){ return queue.slice(); }());//for the paranoid perform safe "copy" of array
        var copy_len = copy.length;//starting copy length
        t = setTimeout(function(){
            while(copy.length > 0){
                if(copy[0].completed == false) break;
                var item = copy.shift();
                updateImage(item.id);
            }

            //if queue length has changed,we could mistakenly delete unprocessed items by truncating array
            //only destroy queue if copy.length === 0 and queue.length equals starting copy length
            if(copy.length===0 &&copy_len===queue.length){
                queue.length = 0; //truncate queue only when it is "safe"
            }

        },100);


    });

    function updateImage(imageId)
    {
        //do whatever you need to do here on completion.
    }

});