Очередь ajax-запросов с использованием jQuery.queue () - PullRequest
49 голосов
/ 24 января 2011

Я впервые использую jQuery.queue () и не совсем понял.Может ли кто-нибудь указать, что я делаю неправильно?

Глядя в firebug, я все еще вижу, что мои POST-запросы запускаются одновременно - поэтому мне интересно, вызываю ли я dequeue () неправильноplace.

Также - как я могу получить длину очереди?

Причина, по которой мне нужно поставить в очередь эти запросы, заключается в том, что они запускаются при нажатии кнопки.И пользователь может быстро нажимать несколько кнопок.

Пытался вырезать основную структуру моего кода:

$("a.button").click(function(){
   $(this).doAjax(params);
});

// method
doAjax:function(params){ 

   $(document).queue("myQueueName", function(){
     $.ajax({
       type: 'POST',
       url: 'whatever.html',
       params: params,
       success: function(data){
         doStuff;

         $(document).dequeue("myQueueName");
       }
     });
   });

}

Ответы [ 12 ]

86 голосов
/ 24 января 2011

Ваша проблема в том, что .ajax() запускает асинхронный запущенный Ajax-запрос.Это означает, что .ajax() возвращается немедленно, без блокировки.Таким образом, вы ставите в очередь функции, но они будут запускаться почти одновременно, как вы описали.

Я не думаю, что .queue() - это хорошее место для приема ajax-запросов, оно больше предназначено для использованияfx methods.Вам нужен простой менеджер.

var ajaxManager = (function() {
     var requests = [];

     return {
        addReq:  function(opt) {
            requests.push(opt);
        },
        removeReq:  function(opt) {
            if( $.inArray(opt, requests) > -1 )
                requests.splice($.inArray(opt, requests), 1);
        },
        run: function() {
            var self = this,
                oriSuc;

            if( requests.length ) {
                oriSuc = requests[0].complete;

                requests[0].complete = function() {
                     if( typeof(oriSuc) === 'function' ) oriSuc();
                     requests.shift();
                     self.run.apply(self, []);
                };   

                $.ajax(requests[0]);
            } else {
              self.tid = setTimeout(function() {
                 self.run.apply(self, []);
              }, 1000);
            }
        },
        stop:  function() {
            requests = [];
            clearTimeout(this.tid);
        }
     };
}());

Это далеко от того, чтобы быть идеальным, я просто хочу продемонстрировать, как идти дальше.Приведенный выше пример может быть использован как

$(function() {
    ajaxManager.run(); 

    $("a.button").click(function(){
       ajaxManager.addReq({
           type: 'POST',
           url: 'whatever.html',
           data: params,
           success: function(data){
              // do stuff
           }
       });
    });
});
11 голосов
/ 04 сентября 2012

Мне нужно было сделать аналогичную вещь, поэтому я подумал, что опубликую свое решение здесь.

По сути, у меня есть страница со списком проектов на полках, у которых у всех есть отличительные критерии.Я хотел загружать полки поочередно, а не в целом, чтобы быстрее доставить пользователю некоторый контент, на который они могли бы смотреть, пока загружаются остальные.

В основном я сохранил идентификатор каждой полки в массиве JS, которыйиспользуйте при вызове их из PHP.

Затем я создал рекурсивную функцию, которая будет выталкивать первый индекс из массива каждый раз, когда он вызывается, и запрашивать полку для идентификатора смещения.Получив ответ от $.get() или $.post(), который я предпочитаю использовать, я вызываю рекурсивную функцию из функции обратного вызова.

Вот подробное описание кода:

// array of shelf IDs
var shelves = new Array(1,2,3,4);

// the recursive function
function getShelfRecursive() {

    // terminate if array exhausted
    if (shelves.length === 0)
        return;

    // pop top value
    var id = shelves[0];
    shelves.shift();

    // ajax request
    $.get('/get/shelf/' + id, function(){
         // call completed - so start next request
         getShelfRecursive();
    });
}

// fires off the first call
getShelfRecursive();
8 голосов
/ 07 мая 2016

Я использую этот очень простой код, чтобы оградить от вызовов ajax друг друга.

var dopostqueue = $({});
function doPost(string, callback)
{
    dopostqueue.queue(function()
    {
        $.ajax(
        {   
            type: 'POST',
            url: 'thephpfile.php',
            datatype: 'json',
            data: string,
            success:function(result) 
            {
                dopostqueue.dequeue();
                callback(JSON.parse(result));
            }
        })
    });
}

Если вы не хотите, чтобы очередь обрабатывала себя, вы можете просто удалить dequeue из функции и вызвать ее из другой функции.Что касается получения длины очереди, для этого примера это будет:

dopostqueue.queue().length
7 голосов
/ 22 января 2014

Мне нужно было сделать это для неизвестного количества вызовов ajax.Ответ состоял в том, чтобы вставить каждый в массив и затем использовать:

$.when.apply($, arrayOfDeferreds).done(function () {
    alert("All done");
});
7 голосов
/ 23 апреля 2012

Я нашел вышеупомянутые решения довольно сложными, плюс мне нужно было изменить запрос непосредственно перед отправкой (чтобы обновить токен свежих данных).

Итак, я собрал это. Источник: https://gist.github.com/2470554

/* 

Allows for ajax requests to be run synchronously in a queue

Usage::

var queue = new $.AjaxQueue();

queue.add({
  url: 'url',
  complete: function() {
    console.log('ajax completed');
  },
  _run: function(req) {
    //special pre-processor to alter the request just before it is finally executed in the queue
    req.url = 'changed_url'
  }
});

*/

$.AjaxQueue = function() {
  this.reqs = [];
  this.requesting = false;
};
$.AjaxQueue.prototype = {
  add: function(req) {
    this.reqs.push(req);
    this.next();
  },
  next: function() {
    if (this.reqs.length == 0)
      return;

    if (this.requesting == true)
      return;

    var req = this.reqs.splice(0, 1)[0];
    var complete = req.complete;
    var self = this;
    if (req._run)
      req._run(req);
    req.complete = function() {
      if (complete)
        complete.apply(this, arguments);
      self.requesting = false;
      self.next();
    }

    this.requesting = true;
    $.ajax(req);
  }
};
6 голосов
/ 01 июля 2015

вы можете расширить jQuery:

(function($) {
  // Empty object, we are going to use this as our Queue
  var ajaxQueue = $({});

  $.ajaxQueue = function(ajaxOpts) {
    // hold the original complete function
    var oldComplete = ajaxOpts.complete;

    // queue our ajax request
    ajaxQueue.queue(function(next) {    

      // create a complete callback to fire the next event in the queue
      ajaxOpts.complete = function() {
        // fire the original complete if it was there
        if (oldComplete) oldComplete.apply(this, arguments);    
        next(); // run the next query in the queue
      };

      // run the query
      $.ajax(ajaxOpts);
    });
  };

})(jQuery);

, а затем использовать его следующим образом:

$.ajaxQueue({
    url: 'doThisFirst.php',
    async: true,
    success: function (data) {
        //success handler
    },
    error: function (jqXHR,textStatus,errorThrown) {
        //error Handler
    }       
});
$.ajaxQueue({
    url: 'doThisSecond.php',
    async: true,
    success: function (data) {
        //success handler
    },
    error: function (jqXHR,textStatus,errorThrown) {
        //error Handler
    }       
});

, конечно, вы можете использовать любые другие параметры $ .ajax, такие как type, data, contentType, DataType, так как мы расширяем $ .ajax

4 голосов
/ 19 февраля 2016

Другая версия ответа jAndy, без таймера.

var ajaxManager = {
    requests: [],
    addReq: function(opt) {
        this.requests.push(opt);

        if (this.requests.length == 1) {
            this.run();
        }
    },
    removeReq: function(opt) {
        if($.inArray(opt, requests) > -1)
            this.requests.splice($.inArray(opt, requests), 1);
    },
    run: function() {
        // original complete callback
        oricomplete = this.requests[0].complete;

        // override complete callback
        var ajxmgr = this;
        ajxmgr.requests[0].complete = function() {
             if (typeof oricomplete === 'function')
                oricomplete();

             ajxmgr.requests.shift();
             if (ajxmgr.requests.length > 0) {
                ajxmgr.run();
             }
        };

        $.ajax(this.requests[0]);
    },
    stop: function() {
        this.requests = [];
    },
}

Для использования:

$(function() {
    $("a.button").click(function(){
       ajaxManager.addReq({
           type: 'POST',
           url: 'whatever.html',
           data: params,
           success: function(data){
              // do stuff
           }
       });
    });
});
2 голосов
/ 24 февраля 2015

на сайте learn.jquery.com есть и хороший пример :

// jQuery on an empty object, we are going to use this as our queue
var ajaxQueue = $({});

$.ajaxQueue = function(ajaxOpts) {
  // Hold the original complete function
  var oldComplete = ajaxOpts.complete;

  // Queue our ajax request
  ajaxQueue.queue(function(next) {
    // Create a complete callback to invoke the next event in the queue
    ajaxOpts.complete = function() {
      // Invoke the original complete if it was there
      if (oldComplete) {
        oldComplete.apply(this, arguments);
      }

      // Run the next query in the queue
      next();
    };

    // Run the query
    $.ajax(ajaxOpts);
  });
};

// Get each item we want to copy
$("#items li").each(function(idx) {
  // Queue up an ajax request
  $.ajaxQueue({
    url: "/ajax_html_echo/",
    data: {
      html: "[" + idx + "] " + $(this).html()
    },
    type: "POST",
    success: function(data) {
      // Write to #output
      $("#output").append($("<li>", {
        html: data
      }));
    }
  });
});
0 голосов
/ 24 февраля 2019

Используя платформу, которая обеспечивает наблюдаемую поддержку, такую ​​как knockout.js , вы можете реализовать очередь наблюдения, которая при нажатии на ставит в очередь вызов, и процесс обрабатывает смещение.

Реализация нокаута будет выглядеть следующим образом:

var ajaxQueueMax = 5;
self.ajaxQueue = ko.observableArray();
self.ajaxQueueRunning = ko.observable(0);

ko.computed(function () {
  if (self.ajaxQueue().length > 0 && self.ajaxQueueRunning() < ajaxQueueMax) {
    var next = self.ajaxQueue.shift();
    self.ajaxQueueRunning(self.ajaxQueueRunning() + 1);
    $.ajax(next).always(function () {
      self.ajaxQueueRunning(self.ajaxQueueRunning() - 1);
    });
  }
});

Заметьте, что мы пользуемся наблюдениями, сообщающими нам, когда нам следует отправить еще один запрос ajax. Этот метод может быть применен в более обобщенной форме.

В качестве примера представьте, что у вас было нокаутирующее отображение, которое извлекало много записей, но вам нужно было вызывать другую службу для каждого элемента, чтобы обогатить их, скажем, установить значение.

self.widgets = ko.observableArray();

ko.computed(function () {
  var mapping = {
    create: function (options) {
      var res = ko.mapping.fromJS(options.data);
      res.count = ko.observable();

      // widget enrichment.
      self.ajaxQueue.push({
        dataType: "json",
        url: "/api/widgets/" + options.data.id + "/clicks",
        success: function (data) {
          res.count(data);
        }
      });
      return res;
    }
  };

  // Initial request for widgets
  $.getJSON("/api/widgets", function (data) {
    ko.mapping.fromJS(data, mapping, self.widgets);
  });
});
0 голосов
/ 11 июля 2018

просто еще один пример многопоточного обработчика очереди, который я написал для nodejs. Вы можете адаптировать его к JQuery или угловой. Обещания немного отличаются в каждом API. Я использовал этот шаблон для таких вещей, как извлечение всех элементов из больших списков в SharePoint путем создания нескольких запросов для извлечения всех данных и разрешения 6 одновременно, чтобы избежать ограничений регулирования, наложенных сервером.

/*
    Job Queue Runner (works with nodejs promises): Add functions that return a promise, set the number of allowed simultaneous threads, and then run
    (*) May need adaptation if used with jquery or angular promises

    Usage:
        var sourcesQueue = new QueueRunner('SourcesQueue');
        sourcesQueue.maxThreads = 1;
        childSources.forEach(function(source) {
            sourcesQueue.addJob(function() { 
                // Job function - perform work on source
            });
        }
        sourcesQueue.run().then(function(){
            // Queue complete...
        });
*/
var QueueRunner = (function () {
    function QueueRunner(id) {
        this.maxThreads = 1; // Number of allowed simultaneous threads
        this.jobQueue = [];
        this.threadCount = 0;
        this.jobQueueConsumer = null;
        this.jobsStarted = 0;
        if(typeof(id) !== 'undefined') {
            this.id = id;
        }
        else {
            this.id = 'QueueRunner';
        }
    }    
    QueueRunner.prototype.run = function () {
        var instance = this;        
        return new Promise(function(resolve, reject) {
            instance.jobQueueConsumer = setInterval(function() {
                if(instance.threadCount < instance.maxThreads && instance.jobQueue.length > 0) {
                    instance.threadCount++;
                    instance.jobsStarted++;
                    // Remove the next job from the queue (index zero) and run it
                    var job = instance.jobQueue.splice(0, 1)[0];
                    logger.info(instance.id + ': Start job ' + instance.jobsStarted + ' of ' + (instance.jobQueue.length + instance.jobsStarted));
                    job().then(function(){
                        instance.threadCount--;
                    }, function(){
                        instance.threadCount--;
                    });
                }
                if(instance.threadCount < 1 && instance.jobQueue.length < 1) {
                    clearInterval(instance.jobQueueConsumer);
                    logger.info(instance.id + ': All jobs done.');
                    resolve();
                }
            }, 20);
        });     
    };
    QueueRunner.prototype.addJob = function (func) {
        this.jobQueue.push(func);
    };
    return QueueRunner;
}());
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...