Firebase Cloud功能更新数据库中的所有条目

时间:2018-09-20 16:20:11

标签: javascript firebase express firebase-realtime-database google-cloud-functions

我在Firebase数据库中有很多注释,我想通过Cloud Function对注释进行一些更新(这是简化的示例,我将做一些需要Cloud Function的逻辑)。

我需要做的是浏览数据库中的所有注释,调整其评级节点,然后使用调整后的注释更新数据库。

我花了很多时间研究这个问题,但是我对Cloud Functions完全陌生,因此我很难解决这个问题。  我假设我想将对所有注释的所有更改(可能有成千上万个)存储在数组或对象中,然后一次进行更新,而不是分别为每个注释进行更新?

此代码无法正常工作,我假设数组和return完全错误。

exports.increaseRating = functions.database.ref('/comments/')
    .onUpdate((snapshot) => {   

        var updates = [];

        snapshot.before.forEach((element) => {
            var comment = element.val();
            comment.rating += 1000;
            updates.push(comment);
        });

        return updates;
    })

我用来更新一个条目的代码。我需要一次对所有评论做同样的事情。

exports.increaseRating = functions.database.ref('/comments/{commentId}')
    .onUpdate((snapshot, context) => {

        const comment = snapshot.before.val();
        const newRating = comment.rating += 1000;       

        const now = new Date().getTime();
        if (comment.lastUpdate) {
            if (comment.lastUpdate > now - (30 * 1000)) {
                return null;
            }
        }

        return admin.database().ref(`/comments/${context.params.commentId}`).update({
            "rating": newRating,
            "lastUpdate": now
        })
    })

1 个答案:

答案 0 :(得分:1)

如果要更新所有子节点,可以执行以下操作:

var ref = firebase.database().ref("comments"); // or admin.database().ref("comments")
ref.once("value").then((snapshot) => {
  var updates = {};
  snapshot.forEach((commentSnapshot => {
    var comment = commentSnapshot.val();
    var newRating = comment.rating + 1000;
    updates[commentSnapshot.key+"/rating"] = newRating;
  });
  ref.update(updates);
})

这将对所有注释执行单个多位置更新。请注意,自Firebase pipelines the multiple requests over a single connection起,相比执行单独的更新,性能带来的好处很小。

还请注意,您不应不要将其放在/comments上的Cloud Functions触发器中,因为这将导致无休止的循环:每次编写注释时,函数都会触发,更新注释,再次触发该功能。

如果您在Cloud Functions中需要此功能,则需要使用HTTP触发的功能,该功能由HTTP调用而不是数据库写操作触发。

exports.updateCommentRatings = functions.https.onRequest((req, res) => {
  var ref = admin.database().ref("comments")
  ref.once("value").then((snapshot) => {
    var updates = {};
    snapshot.forEach((commentSnapshot => {
      var comment = commentSnapshot.val();
      var newRating = comment.rating + 1000;
      updates[commentSnapshot.key+"/rating"] = newRating;
    });
    ref.update(updates).then(() => {
      res.status(200).send("Comment ratings updated");
    });
  })
})

然后,您可以使用cron-job.org之类的服务定期调用此URL /函数。有关更多信息,请参见Cloud Functions for Firebase trigger on time?