Передать параметр из дочернего функционального компонента в родительский класс - PullRequest
0 голосов
/ 12 октября 2019

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

Значение, которое я хочу передать, - это индекс строки таблицы?

Дочерний компонент:

import React, { useState } from "react";
import { makeStyles } from "@material-ui/core/styles";
import Table from "@material-ui/core/Table";
import TableBody from "@material-ui/core/TableBody";
import TableCell from "@material-ui/core/TableCell";
import TableHead from "@material-ui/core/TableHead";
import TableRow from "@material-ui/core/TableRow";
import Paper from "@material-ui/core/Paper";
import CircularProgress from "@material-ui/core/CircularProgress";
import DeleteForeverIcon from "@material-ui/icons/DeleteForever";
import gql from "graphql-tag";
import { Query } from "react-apollo";

const DATA_QUERY = gql`
  query {
    persons {
      edges {
        node {
          firstName
          lastName
          address
        }
      }
    }
  }
`;

const useStyles = makeStyles(theme => ({
  root: {
    width: "100%",
    marginTop: theme.spacing(3),
    overflowX: "auto"
  },
  table: {
    minWidth: 650
  },
  progress: {
    margin: theme.spacing(2)
  }
}));

export default function SimpleTable(props) {
  const classes = useStyles();

  const [id, setID] = useState(0);

  const handleEdit = index => {
    setID(index);
    console.log(id, "EDIT");
    props.getID(id);
  };

  return (
    <Paper className={classes.root}>
      <Table className={classes.table}>
        <TableHead>
          <TableRow>
            <TableCell align="left">First name</TableCell>
            <TableCell align="left">Last name</TableCell>
            <TableCell>Address</TableCell>
            <TableCell></TableCell>
          </TableRow>
        </TableHead>
        <TableBody>
          <Query query={DATA_QUERY}>
            {({ loading, error, data }) => {
              if (loading) {
                return (
                  <CircularProgress
                    className={classes.progress}
                    color="secondary"
                  />
                );
              }
              if (error) console.log(error);
              console.log(data);
              return data.persons.edges.map((person, index) => (
                <TableRow
                  key={index}
                  value={person}
                  onClick={() => {
                    handleEdit(index);
                  }}
                >
                  <TableCell align="left">{person.node.firstName}</TableCell>
                  <TableCell align="left">{person.node.lastName}</TableCell>
                  <TableCell align="left">{person.node.address}</TableCell>
                  <TableCell align="left">
                    <DeleteForeverIcon />
                  </TableCell>
                </TableRow>
              ));
            }}
          </Query>
        </TableBody>
      </Table>
    </Paper>
  );
}

Родительский компонент:

import React, { Component } from "react";
import ApolloClient from "apollo-boost";
import { ApolloProvider } from "react-apollo";

import Buttons from "./containers/Buttons/buttons";

import SimpleTable from "./containers/Table/table";

import "./App.css";

const client = new ApolloClient({
  uri: "http://localhost:8000/graphql/"
});

class App extends Component {
  state = {
    id: 0
  };

  getID = id => {
    this.setState({ id: id });
  };
  render() {
    return (
      <ApolloProvider client={client}>
        <div className="App">
          <SimpleTable id={this.getID}></SimpleTable>
          {this.state.id}
          <Buttons />
        </div>
      </ApolloProvider>
    );
  }
}

export default App;

1 Ответ

0 голосов
/ 12 октября 2019

вы можете отправить его через реквизиты от вашего дочернего компонента к родительскому компоненту, как это

это дочерний компонент

sendDataToParent=(index)=>{
   props.receiveDataFromChild(index);
      //if its class based use this in front of props like this this.props.propName 
}

<button onClick={()=>{this.sendDataToParent(index)}}> </button>

это родительский компонент // использующий этот компонент в родительском

setDataReceivedFromChild=(index)=>{ // you can use any name in here if you only sending one parameter 
         // if it's more than than it has to be in same order you can use any name 
          console.log(index);
}
        <ChildComponent receiveDataFromChild={this.setDataReceivedFromChild}/>
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...