在我的应用中,当用户创建新帖子时,我会向用户的关注者发送推送通知。正如您在下面的代码中看到的,我有一些额外的设置,我需要从每个关注者的配置文件中查询以获取其推送令牌并检查一些其他通知设置。如果用户拥有大量关注者,即1000,我担心每个用户个人资料的查询可能会成为瓶颈。
最好的方法是什么?
// The cloud function to trigger when a post is created
exports.newPost = functions.database.ref('/posts/{postId}').onCreate(event => {
const postId = event.params.postId;
const post = event.data.val();
const userId = post.author;
let tokens = [];
let promises = [];
return admin.database().ref(`/followers/${userId}`).once('value', (followers) => {
followers.forEach((f) => {
let follower = f.key;
promises.push(
admin.database().ref(`users/${follower}`).once('value')
);
});
})
.then(() => {
return Promise.all(promises).then((users) => {
users.forEach((user) => {
const userDetails = user.val();
if (userDetails.post_notifications) {
if(userDetails.push_id != null) {
tokens.push(userDetails.push_id);
}
}
})
})
})
.then(() => {
if (tokens.length > 0) {
const payload = {
notification: {
title: 'New Post!',
body: 'A new post has been created'
}
};
// Send notifications to all tokens.
return admin.messaging().sendToDevice(tokens, payload);
}
});
})
修改
我们考虑过使用主题。但我们不确定如何使用自定义通知设置处理主题。这是我们的困境。
我们有多个可以创建通知的操作,我们在应用中为每种类型的通知提供单独的开关,以便用户可以选择要关闭的通知类型。
假设用户A跟随用户B.我们可以将用户A订阅到“用户B的主题”,因此每当用户B执行向他/她的粉丝发送通知的操作时,我就可以向订阅的用户发送发送通知“用户B主题”。
因为我们在应用中有多个通知开关,并且当用户A更改他/她的设置时他们不想要新帖子的通知但仍然希望他/她跟随的用户的其他类型的通知,我们无法进行弄清楚在这种情况下我们如何使用主题。
答案 0 :(得分:1)
您可以使用主题来代替使用令牌。因此,假设用户开始关注某人,那么他将注册该主题。
让我们说他跟随一个名叫“彼得”的人,然后你可以执行这个:
FirebaseMessaging.getInstance().subscribeToTopic("Peter");
现在,如果你有这个数据库:
posts
postid
postdetails: detailshere
author: Peter
然后使用onCreate()
:
exports.newPost = functions.database.ref('/posts/{postId}').onCreate(event => {
const postId = event.params.postId;
const post = event.data.val();
const authorname = post.author;
const details=post.postdetails;
const payload = {
data: {
title:userId,
body: details,
sound: "default"
},
};
const options = {
priority: "high",
timeToLive: 60 * 60 * 24
};
return admin.messaging().sendToTopic(authorname, payload, options);
});
您可以使用此功能,每次作者创建新帖子时,onCreate()
都会被触发,然后您可以在通知中添加帖子和作者姓名的详细信息(如果需要)和sendToTopic()
会将其发送给订阅authorname
主题的所有用户(例如:Peter)
编辑完成后,我认为您希望用户从主题中取消订阅,但仍然订阅其他主题,然后您必须使用admin sdk:
https://firebase.google.com/docs/cloud-messaging/admin/manage-topic-subscriptions
使用admin sdk,您也可以从主题中取消订阅用户,这是一个简单的示例:
// These registration tokens come from the client FCM SDKs.
var registrationTokens = [
'YOUR_REGISTRATION_TOKEN_1',
// ...
'YOUR_REGISTRATION_TOKEN_n'
];
// Unsubscribe the devices corresponding to the registration tokens from
// the topic.
admin.messaging().unsubscribeFromTopic(registrationTokens, topic)
.then(function(response) {
// See the MessagingTopicManagementResponse reference documentation
// for the contents of response.
console.log('Successfully unsubscribed from topic:', response);
})
.catch(function(error) {
console.log('Error unsubscribing from topic:', error);
});