我有一个应在有人添加评论时发送通知的功能。
但是此错误显示在日志中。

TypeError: result[0].data is not a function
    at Promise.all.then.result (/srv/lib/index.js:19:35)
    at <anonymous>
    at process._tickDomainCallback (internal/process/next_tick.js:229:7)


这是我的职责。这是怎么了如何改变呢?

/*eslint-disable */

const functions = require('firebase-functions');

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

exports.apptTrigger = functions.firestore.document("Comments/{anydocument}").onCreate((snap, context) =>  {

    const receiver = snap.data().idUserImage;

    const messageis = snap.data().comment;


    const toUser = admin.firestore().collection("token").where('idUser', '==', receiver).get();


    return Promise.all([toUser]).then(result => {

      const tokenId = result[0].data().token;

    const notificationContent = {
           notification: {
              title: "Dodano komentarz",
              body: messageis,
              icon: "default",
              sound : "default"
            }};
               return admin.messaging().sendToDevice(
                    tokenId,
                    notificationContent
                ).then(results => {
            console.log("Notification sent!");
            //admin.firestore().collection("notifications").doc(userEmail).collection("userNotifications").doc(notificationId).delete();
          });
        });
});

最佳答案

这是正常现象,因为get()Query方法返回的承诺会返回QuerySnapshot,其中“包含零个或多个代表查询结果的DocumentSnapshot对象”。因此,对于data()没有result[0]方法。

QuerySnapshot文档(上面的链接)说:


  可以通过docs属性或以数组形式访问文档
  使用forEach方法枚举。文件数量可以
  通过empty和size属性确定。


因此,您应该使用docs属性,该属性返回“ QuerySnapshot中所有文档的数组”,并执行以下操作:

const tokenId = result[0].docs[0].data().token;




但是请注意,您不需要使用Promise.all,因为您将仅包含一个元素的数组传递给它。您只需要使用QuerySnapshot返回的get()并使用其docs属性,如下所示:

exports.apptTrigger = functions.firestore
  .document('Comments/{anydocument}')
  .onCreate((snap, context) => {
    const receiver = snap.data().idUserImage;
    const messageis = snap.data().comment;

    const toUser = admin
      .firestore()
      .collection('token')
      .where('idUser', '==', receiver)
      .get();

    return toUser
      .then(querySnapshot => {
        const tokenId = querySnapshot.docs[0].data().token;

        const notificationContent = {
          notification: {
            title: 'Dodano komentarz',
            body: messageis,
            icon: 'default',
            sound: 'default'
          }
        };

        return admin.messaging().sendToDevice(tokenId, notificationContent);
      })
      .then(results => {   //If you don't need the following console.log() just remove this then()
        console.log('Notification sent!');
        return null;
      });
  });

09-26 07:35