React 函数无法被识别
2018-12-25
656
在我的 React 应用中,我有一个
onClick
函数,当从动态生成的组件调用时,该函数无法被识别(
TypeError:_this2.click 不是函数
)。我四处寻找函数绑定不正确的问题,但似乎正确无误。以下是代码:
class C extends React.Component {
constructor(props) {
super(props);
// Bind components
this.eventComponent = this.eventComponent.bind(this);
this.click = this.click(this);
}
/**
* Click function for when a user selects their choice
* @param {[int]} id [id of the event the user is selecting]
*/
click(id) {
console.log(id)
}
/**
* Draws an event component (dynamically generated)
* @param {[String]} name [name of the event]
* @param {[String]} summary [summary of event]
* @return {[Object]} [react element of an event]
*/
eventComponent(name, summary, id) {
if (name != null && summary != null) {
return (
<div >
<h1>{name}</h1>
<p>{summary}</p>
<button onClick={() => this.click(id)}>Here is a button!</button>
</div>
);
}
}
render() {
var event = this.state.event
var objArray = this.state.objArray
var eventMap;
if (event) {
eventMap = objArray.map(function(event) {
// Get first property
var firstProp;
var k;
for(var key in event) {
if(event.hasOwnProperty(key)) {
firstProp = event[key];
k = key;
break;
}
}
return this.eventComponent(firstProp.title, firstProp.summary, k);
}.bind(this))
} else {
eventMap = <p>No events found!</p>;
}
// Generate a default HTML object
var eventComponent = (
<div>
{eventMap}
</div>
);
return eventComponent;
}
}
3个回答
在构造函数中将此
this.click = this.click(this);
更正为
this.click = this.click.bind(this);
Vikas Singh
2018-12-25
最简单方便的方法是使用箭头函数,这样你就不再需要在构造函数中进行绑定了,容易多了,不是吗?
因此只需从构造函数中删除以下内容:
this.click = this.click.bind(this);
并将你的函数更改为:
click = (id) => {
console.log(id)
}
Tarreq
2018-12-25
正如 Vikas 所回答的, 您可以采用这种方法,也可以对函数使用箭头语法,这样就无需绑定函数。 例如。 Click = (Id) => {{
}。
Sahil Arora
2018-12-25