使用以前的状态更新firestore

时间:2018-01-06 15:53:29

标签: javascript firebase google-cloud-firestore

是否可以使用以前的状态更新firestore?

例如,我有一个地址文档,其中包含users字段,该字段包含与该地址关联的用户数组。 每当我想向这个数组添加一个新用户时,我需要先前的数组,否则我将最终用新数据覆盖当前数据。

所以我最终会得到类似的东西。

   firestore()
    .collection("addresses")
    .doc(addressId)
    .get()
    .then(doc => {
      this.db
        .collection("addresses")
        .doc(addressId)
        .update({
          users: [...doc.data().users, id]
        })
    });

有没有办法在不必嵌套调用的情况下访问以前的数据?

如果不是

有没有更好的方法来管理关系?

1 个答案:

答案 0 :(得分:1)

如果您需要先前的值来确定新值,则应使用transaction。这是确保不同客户不会意外覆盖彼此行为的唯一方法。

不幸的是,事务还需要嵌套调用,因为这是获取当前值的唯一方法,甚至还有一个额外的包装器(用于事务。

var docRef = firestore()
    .collection("addresses")
    .doc(addressId);

return db.runTransaction(function(transaction) {
    // This code may get re-run multiple times if there are conflicts.
    return transaction.get(docRef).then(function(doc) {
        transaction.update(docRef, { users: [...doc.data().users, id ]});
    });
}).then(function() {
    console.log("Transaction successfully committed!");
}).catch(function(error) {
    console.log("Transaction failed: ", error);
});

最佳解决方案是使用不需要当前值来添加新值的数据结构。这是Firebase recommends against using arrays的原因之一:当多个用户可能正在向数组添加项目时,它们本身难以扩展。如果不需要维护用户之间的顺序,我建议为用户使用类似集合的结构:

users: {
  id1: true,
  id2: true
}

这是一个包含两个用户(id1id2)的集合。 true值只是标记,因为您没有没有值的字段。

使用此结构,添加用户非常简单:

firestore()
    .collection("addresses")
    .doc(addressId)
    .update({ "users.id3": true })

另见Firestore documentation on Working with Arrays, Lists, and Sets