从Firestore执行查询后,我经常需要在本地对象中使用documentId。由于documentId为no字段,因此我在查询中执行以下操作以实现此目的:
const ref = fireDb.collection('users')
const query = await ref.where("name", "==", "foo").get()
let users = []
query.forEach((doc) => {
let user = doc.data()
user.id = doc.id /* <-- Here I add the id to the local object*/
users.push(user)
})
有没有一种“简便”的方法来直接取回包含其ID的文档?还是这应该怎么做?
我不想将documentId复制到字段中,即使对于NoSql数据库,这似乎也是多余的。
但是由于几乎所有我的询问之后我都需要这样做,所以我想知道Firestore是否无法选择传送包含其ID的文档?
...我想这就是他们所说的第一世界问题? :)
最佳答案
似乎目前没有选择将documentId直接嵌入到对象中。
为了减少样板代码并保持代码干净,我编写了以下帮助程序函数,将documentId添加到每个对象。
它不仅可以用于集合,还可以用于单个文档。
辅助功能
const queryFirestore = async function (ref) {
let snapshot = await ref.get()
switch(ref.constructor.name) {
/* If reference refers to a collection */
case "CollectionReference":
case "Query$$1":
let items = []
snapshot.forEach((doc) => {
let item = doc.data()
item.id = doc.id
items.push(item)
})
return items
/* If reference refers to a single document */
case "DocumentReference":
let documentSnapshot = await ref.get()
let item = documentSnapshot.data()
item.id = documentSnapshot.id
return item
}
}
现在在我的代码中...
对于收藏:
async getUsers() {
let ref = db.collection("users")
return await queryFirestore(ref)
}
对于单个文档:
async getUser(userId) {
let ref = db.collection("users").doc(userId)
return await queryFirestore(ref)
}