我有使用await
调用的异步函数,我认为当你使用await
时,它应该暂停函数执行直到它收到的值。出于某种原因,它不适用于我。
这是我的函数(它在一个类中):
async userExistsInDB(email) {
let userExists;
await MongoClient.connect('mongodb://127.0.0.1:27017/notificator', async(err, db) => {
if (err) throw err;
let collection = db.collection('users');
userExists = await collection.find({email: email}).limit(1).count() > 0;
console.log("INSIDE:\n", userExists);
db.close();
});
console.log("OUTSIDE:\n", userExists);
return userExists;
}
以下是我在同一个类中的另一个函数中调用它的方法:
async getValidationErrors(formData) {
let userExists = await this.userExistsInDB(formData.email);
console.log("ANOTHER FUNC:\n", userExists);
}
所以,我得到以下输出:
OUTSIDE:
undefined
ANOTHER FUNC:
undefined
INSIDE:
true
虽然值INSIDE: true
我希望打印第一个。
基本上,我需要的是从userExists
函数中获取布尔值userExistsInDB
并在其他代码中使用它。
我在这里做错了什么?
答案 0 :(得分:5)
await
仅适用于承诺,因此MongoClient.connect(…)
需要返回承诺。然而,你正在使用它作为回调API,甚至使用async
(承诺返回)回调函数,这是行不通的。假设如果你没有传递回调,mongo会返回promises,你的代码应该看起来像
async function userExistsInDB(email) {
let db = await MongoClient.connect('mongodb://127.0.0.1:27017/notificator');
let collection = db.collection('users');
let userExists = (await collection.find({email: email}).limit(1).count()) > 0;
db.close();
return userExists;
}
虽然理想情况下你宁愿做
async function userExistsInDB(email) {
let db = await MongoClient.connect('mongodb://127.0.0.1:27017/notificator');
try {
let collection = db.collection('users');
let userCount = (await collection.find({email: email}).limit(1).count();
return userCount > 0;
} finally {
db.close();
}
}