Firebase Firestore Функции Уведомление Android - PullRequest
0 голосов
/ 09 сентября 2018

Мне нужна помощь с функциями пожарного депо. Я работаю над приложением, которое требует уведомления, и я использую Firebase в качестве бэкэнда, я совершенно новичок в функциях облачных функций.

Итак, я хочу отправить уведомление пользователю, когда документ добавлен в коллекцию, я попытался настроить некоторые функции для функций, но это не работает по причинам, которые я не знаю, мой Node Js является обновленной версией , Firebase инструменты обновлены, но я все еще получаю ошибки.

Вот мой файл index.js и сообщение об ошибке. Я ценю любую помощь.

'use strict'

const functions = require('firebase-functions');
const admin = require('firebase-admin');
admin.initializeApp(functions.config().firebase);

exports.sendNotification = functions.firestore.document('Users/{userId}/Notifications/{notificationId}').onWrite((change, context) =>{

const userId = context.params.userId;
const notificationId = context.params.notificationId;

console.log('The User id is : ', userId);


if(!context.data.val()){

    return console.log('A notification has been deleted from the database');

}

// ref to the parent document
const device_token = admin.firestore.doc('Users/${userId}/Token/${userId}/deviceToken').once('value');

return device_token.then(result => {

    const token_id = result.val();

    const payLoad = {

    notification:{
        title: "Qubbe",
        body: "You have a new comment!",
        icon: "default"
    }

};

return admin.messaging().sendToDevice(token_id, payLoad).then(response => {

        console.log('This is the notification feature');

});

});
device_token.catch(error => {
    console.log(error);
});

});

Ошибка: Скриншот к ошибке в командной строке

Ответы [ 2 ]

0 голосов
/ 09 сентября 2018

Спасибо за ответы, теперь проблема решена.

Сначала я удалил свои старые функции и запустил заново, затем установил новейшие инструменты Firebase в глобальном масштабе и обновил инструменты npm, как вы это обычно делаете при запуске. Затем я использовал этот код для моего пожарного магазина:

const functions = require('firebase-functions');
const admin = require('firebase-admin');
admin.initializeApp();



//const firestore = new Firestore();
//const settings = {/* Date... */ timestampsInSnapshots: true};
//firestore.settings(settings);

exports.sendNotification = 
functions.firestore.document('Users/{userId}/Notifications/{notificationId}')
.onWrite((c hange, context) =>{

const userId = context.params.userId;
const notificationId = context.params.notificationId;

console.log('The User id is : ', userId);
console.log('The Notification id is : ', notificationId);

// ref to the parent document

return admin.firestore().collection("Users").doc(userId).collection("Token").doc(userId).get().then(queryResult => {
    const tokenId = queryResult.data().deviceToken;

    //const toUser = admin.firestore().collection("Users").doc(userId).collection("Notifications").doc(notificationId).get();

        const notificationContent = {
                notification:{
                    title: "/*App name */",
                    body: "You have a new Comment!",
                    icon: "default",
                    click_action: "/*Package */_TARGET_NOTIFICATION"
            }
        };

        return admin.messaging().sendToDevice(tokenId, notificationContent).then(result => {
            console.log("Notification sent!");
            //admin.firestore().collection("notifications").doc(userEmail).collection("userNotifications").doc(notificationId).delete();
        });

   });

});
0 голосов
/ 09 сентября 2018

Поскольку вы используете следующий синтаксис onWrite((change, context)...), я предполагаю, что вы используете версию Cloud Functions> = 1.0.

При версиях> = 1.0 вы должны инициализировать firebase-admin без каких-либо параметров, как указано ниже:

const functions = require('firebase-functions');
const admin = require('firebase-admin');
admin.initializeApp();

См. https://firebase.google.com/docs/functions/beta-v1-diff#new_initialization_syntax_for_firebase-admin

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...