I want to get some documents from Firestore. in my callable cloud function, instead of waiting getting document one by one, await one by one, I use Promise.all so I can get all documents faster, like this
JavaScript
x
16
16
1
const promises = []
2
3
upcomingEventIDs.forEach( upcomingEventIDs => {
4
5
const p = db.collection("events")
6
.where("eventID","==",upcomingEventIDs)
7
.where("isActive","==",true)
8
.where("hasBeenApproved","==",true)
9
.where("isCancelled","==",false)
10
.get()
11
12
promises.push(p)
13
})
14
15
const latestEventDataSnapshot = await Promise.all(promises)
16
and then I want to loop the document snapshots I just get, and here is the problem
JavaScript
1
6
1
latestEventDataSnapshot.docs.forEach( doc => { // <-- error in this line
2
3
4
5
})
6
I have an error
TypeError: Cannot read property ‘forEach’ of undefined
what is wrong in here ? what should I do to get the documents that I just get from Firestore ?
Advertisement
Answer
The get()
method returns a Promise that resolves with a QuerySnapshot
.
Since Promise.all()
“returns a single Promise that resolves to an array of the results of the input promises”, latestEventDataSnapshot
is an Array of QuerySnapshot
s and you need to loop over it, for example as follows:
JavaScript
1
13
13
1
const latestEventDataSnapshot = await Promise.all(promises)
2
3
latestEventDataSnapshot.forEach(querySnapshot => {
4
5
querySnapshot.docs.forEach(queryDocumentSnapshot => {
6
7
console.log(queryDocumentSnapshot.data());
8
//...
9
10
})
11
12
})
13