我试图在NodeJS中做一些相当简单的事情 - 我想一次运行一个函数。所有这些功能都有回调。我在下面概述了我的代码,以及它们运行的功能以供进一步参考。
我的问题是前两个工作绝对正常 - 一次一个,但第三个迭代只是忽略前两个函数而且无论如何都要去。这导致了一个真正的问题,因为我的程序将对象放入数据库,并导致重复的对象。
总体目标是简单地让每个功能一次运行一个。这里有什么我想念的吗?非常感谢你的帮助!
请注意,在下面的功能中,我已将所有参数简化为" args"为了更容易阅读。
调用函数:
addNewProject(args);
addNewProject(args);
addNewProject(args);
在函数内部,我运行它:
function addNewProject(args) {
var info = args;
queue.push(function (done) {
loopThroughDetails(info, projID, 0, function () {
console.log('complete');
done(null, true);
});
});
}
这调用loopThroughDetails(),这是一个与async.series()一起使用的集成:
function loopThroughDetails(info, projID, i, callback) {
if (i < 500) {
getProjectDetails(projID + "-" + i, function (finished) {
if (JSON.stringify(finished) == "[]") {
info.ProjID = projID + "-" + i;
DB_COLLECTION_NAME.insert(info, function (err, result) {
assert.equal(err, null);
callback();
});
} else {
i++;
loopThroughDetails(info, projID, i, callback);
}
});
}
}
在调用所有这些之后,我只使用async.series来完成任务:
async.series(queue, function () {
console.log('all done');
});
我在这里做错了什么?非常感谢您提供的任何帮助! :)
答案 0 :(得分:-1)
首先,有很多方法可以实现您所寻找的目标,而且大多数都是主观的。我喜欢在可能的情况下同步迭代时使用array.shift方法。这个概念是这样的。
// say you have an array of projects you need to add.
var arrayOfProjects = [{name: "project1"}, {name: "project2"}, {name: "project3"}];
// This takes the first project off of the array and assigns it to "next" leaving the remaining items on the array.
var nextProject = function (array) {
// if there are items left then do work. Otherwise done.
if (array.length > 0) {
// shift the item off of the array and onto "next"
var next = array.shift();
addNewProject(next);
}
}
var addNewProject = function (project) {
// Do stuff with the project
console.log("project name: ", project.name);
// When complete start over
nextProject(arrayOfProjects);
}
// Start the process
nextProject(arrayOfProjects);
如果您检查页面,您将看到按顺序登录到控制台的项目。