我想获取一个Firestore集合内的文档总数,我正在开发一个论坛应用程序,因此我想在每个讨论中显示当前的评论数量。
有类似db.collection("comments").get().lenght
之类的东西吗?
答案 0 :(得分:2)
通过size
的QuerySnapshot
属性,您可以获取集合的文档数,如下所示:
db.collection("comments").get().then(function(querySnapshot) {
console.log(querySnapshot.size);
});
如何,您应该注意,这意味着您每次都要读取集合中的所有文档,因此要获取文档数量,因此,成本。
因此,如果您的馆藏中有很多文档,一种更经济的方法是维护一组distributed counters来容纳文档数量。每次添加/删除文档时,都增加/减少计数器。
基于documentation,以下是写操作的方法:
首先,初始化计数器:
const db = firebase.firestore();
function createCounter(ref, num_shards) {
let batch = db.batch();
// Initialize the counter document
batch.set(ref, { num_shards: num_shards });
// Initialize each shard with count=0
for (let i = 0; i < num_shards; i++) {
let shardRef = ref.collection('shards').doc(i.toString());
batch.set(shardRef, { count: 0 });
}
// Commit the write batch
return batch.commit();
}
const num_shards = 3; //For example, we take 3
const ref = db.collection('commentCounters').doc('c'); //For example
createCounter(ref, num_shards);
然后,当您写评论时,请按如下所示使用批处理写法:
const num_shards = 3;
const ref = db.collection('commentCounters').doc('c');
let batch = db.batch();
const shard_id = Math.floor(Math.random() * num_shards).toString();
const shard_ref = ref.collection('shards').doc(shard_id);
const commentRef = db.collection('comments').doc('comment');
batch.set(commentRef, { title: 'Comment title' });
batch.update(shard_ref, {
count: firebase.firestore.FieldValue.increment(1),
});
batch.commit();
对于文档删除,您可以使用以下方法减少计数器的数量:firebase.firestore.FieldValue.increment(-1)
最后,在文档中查看如何查询计数器值!