Lets say i want to run an if statment where the condition is async function.
JavaScript
x
8
1
const con = require('./con');
2
3
if(con.con('email@gmail.com')
4
console.log('User exists!')
5
else {
6
console.log('user does not exist?')
7
}
8
This is the function, it uses mongoose findOne which is an async task.
JavaScript
1
18
18
1
const User = require ('../nodeDB/models/user.js');
2
3
const con = function (email) {
4
User.findOne( { userEmail: email }, function (err, doc) {
5
if(err) {
6
console.log(err);
7
}
8
9
if (doc) {
10
return false;
11
} else {
12
return true;
13
}
14
});
15
}
16
17
module.exports.con = con;
18
The problem is that the if statment gets called before the con can get executed which then does’nt set the condition.
Advertisement
Answer
You can do it this way :
JavaScript
1
10
10
1
const con = userEmail => User.findOne({userEmail}).lean().exec();
2
3
(async () => {
4
if (await con('email@gmail.com')) {
5
console.log('User exists!')
6
} else {
7
console.log('user does not exist?')
8
}
9
})()
10
- Return
User.findOne
from your function.
(optional) 2. Add it .lean()
(returns simple JSON, faster)
(optional) 3. Add it .exec()
so it returns a true Promise and not just a thenable
- now you can simply
await con()
anywhere inside anasync
function, just as if it was synchronous.