您可以触发一个函数来响应 Firebase Remote Config 事件(包括发布新的配置版本或回滚到旧版本)。本指南介绍如何创建 Remote Config 后台函数,以便对两个模板版本执行差异比较。
触发 Remote Config 函数
如需触发 Remote Config 函数,请使用 firebase-functions/v2/remoteConfig
子软件包。若要以本指南所示的方式响应模板更新,您应使用 onConfigUpdated
函数,将其与 Firebase Admin SDK 等其他必需组件一起导入:
// The Cloud Functions for Firebase SDK to set up triggers and logging. const {onConfigUpdated} = require("firebase-functions/v2/remoteConfig"); const logger = require("firebase-functions/logger"); // The Firebase Admin SDK to obtain access tokens. const admin = require("firebase-admin"); admin.initializeApp(); const fetch = require("node-fetch"); const jsonDiff = require("json-diff");
onConfigUpdated
返回的 TemplateVersion
对象包含模板更新的关键元数据字段,例如版本号和更新时间。您还可以检索执行更新的用户的电子邮件地址,以及姓名和图片(如果有)。
下面是一个 Remote Config 函数示例,该函数会返回每个更新版本与所替换掉的版本之间的差异。该函数会检查模板对象的 versionNumber
字段,并检索当前版本(最近更新版本)以及前一个版本:
exports.showconfigdiff = onConfigUpdated((event) => { // Obtain the access token from the admin SDK return admin.credential.applicationDefault().getAccessToken() .then((accessTokenObj) => { return accessTokenObj.access_token; }) .then((accessToken) => { // Get the version number from the event object const currentVersion = event.data.versionNumber; const templatePromises = []; templatePromises.push(getTemplate(currentVersion, accessToken)); templatePromises.push(getTemplate(currentVersion - 1, accessToken)); // Get the templates return Promise.all(templatePromises); }) .then((results) => { const currentTemplate = results[0]; const previousTemplate = results[1]; // Figure out the differences of the templates const diff = jsonDiff.diffString(previousTemplate, currentTemplate); // Log the difference logger.log(diff); return null; }).catch((error) => { logger.error(error); return null; }); });
此示例使用 json-diff
和 request-promise
模块来创建差异比较并构建获取模板对象的请求。如需查看纳入了 Remote Config 客户端逻辑以及 Firebase Cloud Messaging 的第 1 代函数示例,请参阅实时传播 Remote Config 更新。