Reputation: 333
I have firestore set up on my nodejs chatbot. And its successfully copying the Facebook users ID to .doc Name, and setting there username and other info under there user ID in firestore
How do i go about retrieving this "field" name to display back to user.
what i have so far is this
const givename = db.collection('users').doc(''+ sender_id).get("name");
How ever firebase is returning nothing.
Iv looked alot online on how to return a field. but with little luck. Any suggestions?
Upvotes: 6
Views: 13496
Reputation: 131
Another way is:
const givename = await db.collection("users").doc("YOUR DOCUMENT NAME").get();
console.log(givename.data().name);
Remember to put this code in an async
function since we are using await
here
Upvotes: 0
Reputation: 598718
Calling get()
doesn't return the data immediately, since the data is loaded asynchronously. It instead returns a promise, which resolves once the data is loaded. This means that you can use await
(as in Francisco's answer) or (if await
is not available) implement the then()
method:
db.collection('users').doc(''+ sender_id).get().then(function(doc) {
console.log(doc.data().name);
});
A common pitfall to be aware of: the doc.data()
is only available inside the callback,
Upvotes: 15
Reputation: 22952
Haven't worked with Firestore yet, but from reading https://firebase.google.com/docs/firestore/query-data/get-data
something like below should work (untested):
const userRef = db.collection("users").doc("1234")
const userDoc = await userRef.get()
const {name} = userDoc.data()
console.log(name)
Upvotes: 4