我有一个看起来像这样的循环:
newThreadIds.map(async function(id) {
let thread = await API.getThread(id);
await ActiveThread.findOneAndUpdate({number: id}, {posts: thread.posts}, {upsert: true}).exec();
await Q.delay(1000);
});
问题是每次迭代都是异步执行的,我希望它们之间有1秒的延迟。我知道如何用promises做到这一点,但它看起来很难看,我宁愿用async / await和尽可能少的嵌套来做。
答案 0 :(得分:6)
map
函数不知道它的回调是异步的并返回一个promise。它只是立即遍历数组并创建一个promises数组。你会像
const promises = newThreadIds.map(async function(id) {
const thread = await API.getThread(id);
return ActiveThread.findOneAndUpdate({number: id}, {posts: thread.posts}, {upsert: true}).exec();
});
const results = await Promise.all(promises);
await Q.delay(1000);
对于顺序执行,您需要使用Bluebird's mapSeries
function(或来自相应库的类似内容),这需要关注每次迭代的promise返回值。
在纯ES6中,您必须使用实际循环,其控制流将遵循循环体中的await
关键字:
let results = [];
for (const id of newThreadIds) {
const thread = await API.getThread(id);
results.push(await ActiveThread.findOneAndUpdate({number: id}, {posts: thread.posts}, {upsert: true}).exec());
await Q.delay(1000);
}
答案 1 :(得分:4)
我已经明白了:
for (let id of newThreadIds) {
let thread = await API.getThread(id);
await ActiveThread.findOneAndUpdate({number: id}, {posts: thread.posts}, {upsert: true}).exec();
await Q.delay(1000);
}
这可能是ES2015和async / await的最佳方式。