我有一个button元素,它会在我的工作区中调用另一个javascript文件。

      <Button
        onClick={() =>
            SendRegister(
              {
                registrationType: 'email',
                latitude: 55,
                longitude: 100,
                distance: 100,
                email: '[email protected]'
              }
            )
        }>
        Set Up Notifications
      </Button>


在另一个JavaScript文件中,我正在将接收到的信息写入firebase:

import React, { useState, useEffect } from "react";
import firebase from "./firebase";

    function SendRegister(props) {
      alert('in Send register');
      alert(JSON.stringify(props));
      var db = firebase.firestore();

      if (props.registrationType === 'email') {
        db.collection("emailAlerts")
          .add({
            email: props.email,
            latitude: props.latitude,
            longitude: props.longitude,
            distance: props.distance,
           status: "active"
          })
          .then(function(docRef) {
            return docRef.id;
          })
          .catch(function(error) {
            return("Error adding document: " + error);
          });
    }

    }

    export default SendRegister;


在firebase中,我看到记录已成功写入,但是我不确定如何将函数的返回值传递回调用onClick的脚本。

我尝试将SendRegister函数包装在useState常量(例如setStatus(SendRegister...)中以捕获返回值,但是我在返回中收到了undefined。我也抬高了状态,这对于一个元素/组件来说是有意义的,但是不确定如何将其放入SendRegister这样的函数中。我相信redux和useContext是一个选项,但我想确保没有一种更简单的方法将变量从一个页面传递到另一个我没有考虑的页面。

最佳答案

我假设您正在尝试在父组件中获取返回值docRef.id。由于SendRegister中的操作是异步的,因此您应该从SendRegister中返回一个父组件可以监听的promise。

export default class componentName extends Component {

  async handleSendRegister(params){
    try {
      const docRefId = await SendRegister(params)

      // docRefId is now available here
    } catch (error) {
      console.log(error)
    }
  }

  render() {
    return (
      <Button
        onClick={() =>
          this.handleSendRegister(
            {
              registrationType: 'email',
              latitude: 55,
              longitude: 100,
              distance: 100,
              email: '[email protected]'
            }
        )
    }>
    Set Up Notifications
  </Button>
    )
  }
}


SendRegister应该是一个简单的异步函数。

async function SendRegister(props) {
  try {
    if (props.registrationType === 'email') {

      const docRef = await db.collection("emailAlerts")
      .add({
        email: props.email,
        latitude: props.latitude,
        longitude: props.longitude,
        distance: props.distance,
       status: "active"
      })

      return docRef.id
    }

   } catch (error) {
      throw Error(error.message)
  }

}

export default SendRegister;

07-24 16:28