React - 将函数传递给子组件什么都不做

IT技术 javascript reactjs
2021-05-27 09:21:04

首先,我必须说,我已经查看了此站点上的所有“将函数传递给子组件”,但没有找到解决我的问题的方法。我有一个父类:

import React from 'react';
import $ from 'jquery';
import Project from './Project';
import NewProjectModal from './NewProjectModal';
/**
 * A projects menu
 */
class ProjectsMenu extends React.Component 
{
  constructor(props) 
  {
    super(props);
    var projects = [];
    this.state = {_projects : projects};
    this.handleClick = this.handleClick.bind(this);
  }

  handleClick(e) {
    e.preventDefault();
    console.log("Hello there");
  }


  render() 
  {    
    return (
    <div className="column">
      {/*problem here:*/}
      <NewProjectModal onClick={this.handleClick.bind(this)} />   

      <a id="new-project" className="trigger" onClick={()=>this.showNewProjectModal()}>New project</a><br/>
      {this.state._projects.map((item,index) => 
        <div key={index}>{item}</div>
      )}
    </div>  
  );
  }//render()

还有一个子类:

import React from 'react';
import $ from 'jquery';

/**
 * A modal for the new project
 */
class NewProjectModal extends React.Component {
  constructor(props) {
    super(props);
    console.log(this.props);
  }

  render() {
    return (
        <div id="new-project-modal">
          <div>
            <p>New Project</p>
            <input type="text" name="project-name"/><br/>
            <button onClick={()=> this.props.onClick}>Validate</button>
          </div>
        </div>
    );
  }//render()

我想通过 props 将 handleClick() 函数传递给 NewProjectModal 组件。但是当我单击 NewProjectModal 中的按钮时,没有任何react。我想让它从 ProjetcsMenu 组件执行 handleClick()。

2个回答

无需将您的 onClick 函数包装在孩子的箭头函数中。尝试在您的子组件中更改此部分,因为现在您实际上并没有调用您想要的函数:

<button onClick={this.props.onClick}>Validate</button>

此外,您在父组件中两次绑定 click 函数:在构造函数中以及在将其传递给子组件时。其中任何一个都应该足够了。

起初不需要在这里再次绑定函数

<NewProjectModal onClick={this.handleClick.bind(this)} />

此外,出于性能原因,Gleb Kost 的建议更好

无论如何这{()=> this.props.onClick}是不正确的,应该是{()=> this.props.onClick()}或者干脆{this.props.onClick}

应该管用!