我是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)
答案 0 :(得分:1)
我完全不希望您的代码能正常工作。看看您在这里做什么:
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 => { ... })
deviceToken
和senderId
是数据库引用。它们只是指向数据库中的位置。但是,您要将它们传递给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()
返回一个promise,该promise将使用引用位置的数据快照进行解析。
之后,您的代码中还有其他错误需要解决。特别是,您永远不会调用val()
上的sender
来保留要查询的原始数据。而且在此之后,您再也不会在任何地方使用发件人值(因此,甚至查询它似乎也毫无意义)。