admin管理员组文章数量:1344067
I have a loop that looks like that:
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);
});
The problem is that each iteration executes asynchronously and I would like there to be a 1 second delay between them. I know how to do it with promises, but it looks ugly and I would prefer to do it with async/await and as little nesting as possible.
I have a loop that looks like that:
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);
});
The problem is that each iteration executes asynchronously and I would like there to be a 1 second delay between them. I know how to do it with promises, but it looks ugly and I would prefer to do it with async/await and as little nesting as possible.
Share Improve this question edited Feb 7, 2017 at 16:46 Victor Marchuk asked Feb 25, 2016 at 16:10 Victor MarchukVictor Marchuk 13.9k12 gold badges45 silver badges67 bronze badges2 Answers
Reset to default 7The map
function doesn't know that its callback is asynchronous and returns a promise. It just runs through the array immediately and creates an array of promises. You would use it like
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);
For sequential execution, you would need to use Bluebird's mapSeries
function (or something similar from your respective library) instead, which cares about the promise return values of each iteration.
In pure ES6, you'd have to use an actual loop, whose control flow will respect the await
keyword in the loop body:
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);
}
I've figured it out:
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);
}
It's probably the best way to it with ES2015 and async/await.
本文标签: javascriptMake asyncawait loop execute in orderStack Overflow
版权声明:本文标题:javascript - Make asyncawait loop execute in order - Stack Overflow 内容由网友自发贡献,该文观点仅代表作者本人, 转载请联系作者并注明出处:http://www.betaflare.com/web/1743744293a2531468.html, 本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容,一经查实,本站将立刻删除。
发表评论