Firebase 实时数据库 fcm 消息发送问题



我是Firebase的新手,我一直在尝试制作一个发送/接收通知的Android应用程序。几周前这段代码对我来说效果很好,但现在它显示错误,尽管我没有进行任何更改。

法典:

'use strict'
const functions = require('firebase-functions');
const admin = require('firebase-admin');
admin.initializeApp(functions.config().firebase);
exports.pushNotification = functions.database.ref(`/notification/{user_id}/{notification_id}`).onWrite((change,context) =>{
const user_id = context.params.user_id;
const notification_id = context.params.notification_id;
console.log('We have a notification to send',user_id);
const deviceToken = admin.database().ref(`/users/${user_id}/tokenId`);
const senderId = admin.database().ref(`/notification/${user_id}/${notification_id}/fromuser`);
return Promise.all([deviceToken,senderId]).then(results =>{
const tokensSnapshot = results[0];
const sender = results[1];
console.log("Device Token ID: ",tokensSnapshot.val());
console.log("Sender ID: ",sender);
const payload ={
notification: {
title: "New message",
body: "hello",
icon: "ic_launcher_round"
}
};
return admin.messaging().sendToDevice(tokensSnapshot.val(),payload).then(response =>{
response.results.forEach((result,index) =>{
const error = result.error;
if(error){
console.error('Failure sending notification to device',tokensSnapshot.val(),error);
}
else{
console.log('Notification sent to : ',tokensSnapshot.val());
}
});
return null;
});
});
});

错误:

tokensSnapshot.val is not a function
at Promise.all.then.results (/user_code/index.js:24:50)
at process._tickDomainCallback (internal/process/next_tick.js:135:7)

我根本不希望您的代码能够正常工作。 看看你在这里做什么:

const deviceToken = admin.database().ref(`/users/${user_id}/tokenId`);
const senderId = admin.database().ref(`/notification/${user_id}/${notification_id}/fromuser`);
return Promise.all([deviceToken,senderId]).then(results => { ... })

deviceTokensenderId是数据库引用。 它们仅指向数据库中的位置。 但是,您将它们传递给Promise.all()就好像它们是承诺一样。 它们绝对不是承诺。 这意味着回调中的results将不包含数据快照对象。

您需要查询数据库中的值并获取这些查询的承诺。 请注意使用once()查询引用:

const deviceToken =
admin.database().ref(`/users/${user_id}/tokenId`).once('value');
const senderId =
admin.database().ref(`/notification/${user_id}/${notification_id}/fromuser`).once('value');

once()返回一个承诺,该承诺将使用引用位置的数据快照进行解析。

之后,代码中还有更多需要解决的错误。 特别是,您永远不会在sender上调用val()来获取您尝试查询的原始数据。 而且您永远不会在此之后的任何地方使用发送者值(因此甚至查询它似乎毫无意义(。

相关内容

  • 没有找到相关文章

最新更新