how to get only the last document id in Firestore?
i tried
JavaScript
x
17
17
1
auth.onAuthStateChanged(user => {
2
//set document from firestore
3
var date=new Date();
4
var day=date.getDate();
5
var month=date.getMonth()+1;
6
var year=date.getFullYear();
7
if (user){
8
db.collection('users').doc(user.uid).collection('orders').doc().set({
9
things:cart,
10
orderState: "Order pending",
11
date:day+'/'+month+'/'+year,
12
})
13
//get document from firestore
14
db.collection('users').doc(user.uid).collection('orders').doc().get()
15
.then(snapshot => console.log(snapshot.id))
16
})
17
the result i’m getting wrong id thats not in the orders document!!
This is my documents :
Advertisement
Answer
You are running db.collection('users').doc(user.uid).collection('orders').doc()
twice which creates 2 different DocumentReferences and hence they are different. If you are trying to get the document that you just added try this:
JavaScript
1
11
11
1
if (user) {
2
db.collection('users').doc(user.uid).collection('orders').doc().set({
3
things:cart,
4
orderState: "Order pending",
5
date:day+'/'+month+'/'+year,
6
}).then((ref) => {
7
console.log(ref.id)
8
// ref.get() get document
9
})
10
}
11
JavaScript
1
7
1
const ref = db.collection('users').doc(user.uid).collection('orders').doc()
2
console.log("Doc ID:", ref.id)
3
ref.set({data}).then((snapshot) => {
4
console.log(`Document ${snapshot.id} added`)
5
// This ID will be same as ref.id
6
})
7