我第一次使用jQuery.queue()并且还没有完全掌握它。 有人可以指出我做错了吗?
在firebug中查看我仍然看到我的POST请求同时被触发 - 所以我想知道我是否在错误的地方调用dequeue()。
另外 - 我如何获得队列长度?
我需要对这些请求进行排队的原因是,单击按钮会触发它。并且用户可以快速连续点击多个按钮。
试图删除我的代码的基本结构:
$("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");
}
});
});
}
答案 0 :(得分:85)
这里的问题是,.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
}
});
});
});
答案 1 :(得分:11)
我需要做类似的事情,以为我会在这里发布我的解决方案。
基本上我所拥有的是一个页面,其中列出了所有具有独特标准的货架上的项目。我想逐个加载货架而不是完全加载到用户的内容,以便他们在其他货物装载时可以看到更快的内容。
基本上我将每个架子的ID存储在JS数组中,我在从PHP调用它时使用它。
然后我创建了一个递归函数,它会在每次调用时弹出数组中的第一个索引,并为弹出的id请求数据库。收到$.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();
答案 2 :(得分:8)
我使用这个非常简单的代码来保持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
答案 3 :(得分:7)
我发现上述解决方案有点复杂,而且我需要在发送之前更改请求(更新新数据令牌)。
所以我把这个放在一起。资料来源: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);
}
};
答案 4 :(得分:7)
我需要为未知数量的ajax调用执行此操作。答案是将每个推入一个数组,然后使用:
$.when.apply($, arrayOfDeferreds).done(function () {
alert("All done");
});
答案 5 :(得分:6)
你可以扩展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
答案 6 :(得分:4)
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
}
});
});
});
答案 7 :(得分:2)
learn.jquery.com网站have a good example too:
// 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
}));
}
});
});
答案 8 :(得分:0)
我也必须在一个解决方案中做到这一点,我发现我可以这样做:
//A variable for making sure to wait for multiple clicks before emptying.
var waitingTimeout;
$("a.button").click(function(){
$(this).doAjax(params);
clearTimeout(waitingTimeout);
waitingTimeout = setTimeout(function(){noMoreClicks();},1000);
});
// method
doAjax:function(params){
$(document).queue("myQueueName", function(next){
$.ajax({
type: 'POST',
url: 'whatever.html',
data: params,
contentType: "application/json; charset=utf-8",
dataType: "json",
success: function(data){
doStuff;
next();
},
failure: function(data){
next();
},
error: function(data){
next();
}
});
});
}
function noMoreClicks(){
$(document).dequeue("myQueueName");
}
通过使用队列函数中传递的next()
回调,您可以使下一个操作出列。因此,通过将下一个放在ajax的处理程序中,可以有效地使ajax调用与浏览器异步,并使浏览器的渲染或绘制线程,但使它们彼此同步或序列化。
Here is a very basic example.在示例小提琴中。单击按钮一次,然后等待一秒钟。您将看到超时触发器和单个操作发生。接下来,尽可能快地单击按钮(或快于一秒),您将看到您单击按钮的所有时间,操作排队等等,然后只有等待一秒后,它们才会点击页面并在之后淡入一个另一个。
这样做的好处是,如果队列已经清空,那么在清空时添加的任何操作都会放在最后,然后在时间到来时进行处理。
答案 9 :(得分:0)
这是我的解决方案,我用它来生成一些Browsergame的请求队列。 如果发生任何事情,我会停止此队列并使用一些特殊的最后请求或清理完成工作。
callback function
答案 10 :(得分:0)
这是我为nodejs编写的多线程队列运行器的另一个示例。您可以将其调整为jquery或angular。每个API中的承诺都略有不同。我将这种模式用于诸如通过创建多个查询以提取所有数据并一次允许6个查询来从SharePoint大型列表中提取所有项目的方式,以避免服务器施加的限制。
/*
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;
}());
答案 11 :(得分:0)
使用诸如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);
});
});