Bạn có thể kích hoạt một hàm để phản hồi các sự kiện Remote Config, bao gồm cả việc xuất bản một phiên bản cấu hình mới hoặc quay lại phiên bản cũ. Hướng dẫn này mô tả cách tạo một hàm nền Remote Config thực hiện việc so sánh khác biệt giữa hai phiên bản mẫu.
Kích hoạt hàm Remote Config
Để kích hoạt hàm Remote Config, trước tiên hãy nhập các mô-đun bắt buộc:
Node.js
// The Cloud Functions for Firebase SDK to set up triggers and logging.
const {onConfigUpdated} = require("firebase-functions/remoteConfig");
const logger = require("firebase-functions/logger");
// The Firebase Admin SDK to obtain access tokens.
const admin = require("firebase-admin");
const app = admin.initializeApp();
const jsonDiff = require("json-diff");
Python
# The Cloud Functions for Firebase SDK to set up triggers and logging.
from firebase_functions import remote_config_fn
# The Firebase Admin SDK to obtain access tokens.
import firebase_admin
app = firebase_admin.initialize_app()
import deepdiff
import requests
Sau đó, hãy xác định một trình xử lý cho sự kiện cập nhật. Đối tượng sự kiện được truyền đến hàm này chứa siêu dữ liệu về một bản cập nhật mẫu, chẳng hạn như số phiên bản mới và thời gian cập nhật. Bạn cũng có thể truy xuất email của người dùng đã thực hiện nội dung cập nhật, cùng với tên và hình ảnh (nếu có).
Dưới đây là ví dụ về hàm Remote Config ghi lại sự khác biệt của từng phiên bản được cập nhật và phiên bản mà phiên bản đó thay thế. Hàm này kiểm tra trường số phiên bản của đối tượng mẫu và truy xuất phiên bản hiện tại (mới cập nhật) cùng với phiên bản thấp hơn một số:
Node.js
exports.showconfigdiff = onConfigUpdated(async (event) => {
try {
// Obtain the access token from the Admin SDK
const accessTokenObj = await admin.credential.applicationDefault()
.getAccessToken();
const accessToken = accessTokenObj.access_token;
// Get the version number from the event object
const remoteConfigApi = "https://firebaseremoteconfig.googleapis.com/v1/" +
`projects/${app.options.projectId}/remoteConfig`;
const currentVersion = event.data.versionNumber;
const prevVersion = currentVersion - 1;
const templatePromises = [];
templatePromises.push(fetch(
remoteConfigApi,
{
method: "POST",
body: new URLSearchParams([["versionNumber", currentVersion + ""]]),
headers: {Authorization: "Bearer " + accessToken},
},
));
templatePromises.push(fetch(
remoteConfigApi,
{
method: "POST",
body: new URLSearchParams([["versionNumber", prevVersion + ""]]),
headers: {Authorization: "Bearer " + accessToken},
},
));
// Get the templates
const responses = await Promise.all(templatePromises);
const results = responses.map((r) => r.json());
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);
} catch (error) {
logger.error(error);
}
});
Mẫu này sử dụng các mô-đun json-diff
và request-promise
để tạo sự khác biệt và tạo yêu cầu để lấy đối tượng mẫu.
Python
@remote_config_fn.on_config_updated()
def showconfigdiff(event: remote_config_fn.CloudEvent[remote_config_fn.ConfigUpdateData]) -> None:
"""Log the diff of the most recent Remote Config template change."""
# Obtain an access token from the Admin SDK
access_token = app.credential.get_access_token().access_token
# Get the version number from the event object
current_version = int(event.data.version_number)
# Figure out the differences between templates
remote_config_api = ("https://firebaseremoteconfig.googleapis.com/v1/"
f"projects/{app.project_id}/remoteConfig")
current_template = requests.get(remote_config_api,
params={"versionNumber": current_version},
headers={"Authorization": f"Bearer {access_token}"})
previous_template = requests.get(remote_config_api,
params={"versionNumber": current_version - 1},
headers={"Authorization": f"Bearer {access_token}"})
diff = deepdiff.DeepDiff(previous_template, current_template)
# Log the difference
print(diff.pretty())
Mẫu này dùng deepdiff
để tạo sự khác biệt và requests
để tạo và gửi yêu cầu lấy đối tượng mẫu.