未捕获的 ReferenceError:handleClick 未定义 - React
2017-04-19
18754
我直接说重点。这是我在 ReactJS 应用程序中的组件:
class BooksList extends Component {
constructor(props) {
super(props);
this.handleClick = this.handleClick.bind(this);
}
handleClick() {
e.preventDefault();
console.log("The link was clicked");
}
render() {
return (
<div>
<a className="btn btn-success" onClick={handleClick}>
Add to cart
</a>
</div>
);
}
}
为什么在加载组件时会出现以下错误?
Uncaught ReferenceError: handleClick is not defined
编辑:
在您回答后,我将代码更改为:
handleClick(e) {
e.preventDefault();
console.log("Item added to the cart");
}
renderBooks(){
return this.props.myBooks.data.map(function(book){
return (
<div className="row">
<table className="table-responsive">
<tbody>
<tr>
<td>
<p className="bookTitle">{book.title}</p>
</td>
</tr>
<tr>
<td>
<button value={book._id} onClick={this.handleClick}>Add to cart</button>
</td>
</tr>
</tbody>
</table>
</div>
);
});
}
}
render() {
return (
<div>
<div>
<h3>Buy our books</h3>
{this.renderBooks()}
</div>
</div>
);
}
如您所见,我有
.map
,它遍历书籍列表。
对于每本书,我都有一个按钮,如果单击该按钮,则会将特定的书添加到用户的购物车中。
如果我按照@Tharaka Wijebandara 的回答,我可以让按钮在
.map
之外工作,但在这种情况下我仍然会收到错误:
Uncaught (in promise) TypeError: Cannot read property 'handleClick' of undefined
at http://localhost:8080/bundle.js:41331:89
at Array.map (native)
3个回答
使用
this.handleClick
<a className="btn btn-success" onClick={this.handleClick}>
Add to cart
</a>
并且您忘记在
handleClick
方法中添加
e
作为参数。
handleClick(e) {
e.preventDefault();
console.log("The link was clicked");
}
Tharaka Wijebandara
2017-04-19
针对您在编辑部分提到的问题的解决方案。
原因是,您在
map
回调函数中丢失了
context
,您需要将
bind
this(类上下文)与回调函数一起使用,或者使用
arrow function
,它将解决您的问题。
通过使用 箭头函数 :
renderBooks(){
return this.props.myBooks.data.map((book) => { //here
return (
.....
);
});
}
或者将
.bind(this)
与回调函数一起使用,如下所示:
renderBooks(){
return this.props.myBooks.data.map(function (book) {
return (
.....
);
}.bind(this)); //here
}
Mayank Shukla
2017-04-19
添加到@Tharaka Wijebandara 答案,您也可以将函数声明为
const
,如下所示:
render() {
const handleClick = this.handleClick;
return (
<div>
<a className="btn btn-success" onClick={handleClick}>
Add to cart
</a>
</div>
);
}
其中
handleClick
定义为:
handleClick(e) {
e.preventDefault();
console.log("The link was clicked");
}
Arpit Aggarwal
2017-04-19