我写了两个示例组件来展示我正在尝试做的事情。 如果来自同一个班级,我可以这样做。
onClick={this.myFunc.bind(this, param1, param2)}
如何从无状态组件中执行相同的操作,而无需混淆绑定'this'。
onClick={props.onClick['need to add params']}
import React from 'react';
class BigComponent extends React.Component{
constructor(props){
super(props);
this.handleClick = this.handleClick.bind(this);
}
handleClick(param1, param2){
// do something with parameters
}
render(){
return(
<div>
<SmallComponent handleClick={this.handleClick}/>
</div>
);
}
}
function SmallComponent(props){
return(
<div>
<button onClick={ () => {props.handleClick('value_1', 'value_2')}}></button>
<button onClick={ () => {props.handleClick('value_3', 'value_4')}}></button>
{/* how to do above without arrow functions, because I read that it's not optimized*/}
</div>
);
}
答案 0 :(得分:2)
在this.myFunc
内添加回调。
this.myFunc = event => (param1, param2) => { ... do stuff }
在您的顶级组件中,您可以执行以下操作:
handleClick={this.myFunc}
在您的孩子中,只需:
onClick={handleClick(param1, param2)}
希望这有帮助。
或者,您可以执行以下操作:
function SmallComponent(props){
const handleClick = (param1, param2) => (event) => props.handleClick(param1, param2);
return(
<div>
<button onClick={handleClick(param1, param2)}></button>
...
);
}