Promise / wait asynchronously from mongoose returning empty array

The console at the end returns an empty array. Console starts before ids.map function completes

var ids = [];
var allLync = []
var user = await User.findOne(args.user)
ids.push(user._id)
user.following.map(x => {
    ids.push(x)
})
ids.map(async x => {
    var lync = await Lync.find({ "author": x })
    lync.map(u => {
        allLync.push[u]
    })
})

console.log(allLync)

      

What am I doing wrong?

+3


source to share


1 answer


The code is .map

not expected, so it console.log

will happen before the match occurs.

If you want to wait for the card - you can use Promise.all

with await

:

var ids = [];
var allLync = []
var user = await User.findOne(args.user)
ids.push(user._id)
user.following.map(x => {
    ids.push(x)
})
// note the await
await Promise.all(ids.map(async x => {
    var lync = await Lync.find({ "author": x })
    lync.map(u => {
        allLync.push(u); // you had a typo there
    })
}));

console.log(allLync)

      



Note that, since you are using .map

, you can greatly shorten the code:

const user = await User.findOne(args.user)
const ids = users.following.concat(user._id);
const allLync = await Promise.all(ids.map(id => Lync.find({"author": x })));
console.log(allLync); 

      

+5


source







All Articles