如何在node js中写一个非阻塞的for循环

How to write a non-blocking for loop in node js

我在猫鼬数据库中有两个集合。我必须找到集合中的所有文档。之后,我必须迭代所有文档以在第二个集合中找到相应的文档。为此,我正在考虑使用 for 循环。但是,因为它本质上是 blocking。我怎样才能完成我的任务。

const docs = await collection1.find({name:"asdf"})
for(let i=0;i<docs.length;i++){
    const doc2 = await collection2.findOne({address:docs.address})
}

我不确定我是否真的理解你的问题,但如果我理解,我认为你可以将你所有的承诺放入一个数组中,而不是使用等待。之后,您可以使用函数 Promise.all 就地等待数组内的所有承诺。您可以在下面找到您的代码示例:

const docs = await collection1.find({name:"asdf"})
const docs2 = [];
for(let i=0;i<docs.length;i++){
    docs2.push(collection2.findOne({address:docs.address}));
}

Promise.all(docs2).then((values) => {
  // at this point all your documents are ready
  // and your for is not blocking
  console.log(values);
});

但是你必须小心不要滥用这个,如果你用很多承诺填充一个数组,它会导致 performance/memory 问题。 问候