我有一个<Table />
,它使用对象数组中的数据进行动态填充。
我想向onClick
添加一个<TableRow />
事件,以便可以更新该行中的数据。 onClick
事件似乎没有调用我的openBookDetails
函数。
import React, { Component } from 'react';
import './Update.css';
import Search from '../Search/Search';
const Table = ({ data }) => (
<table class="table table-hover">
<thead>
<tr class="table-primary">
<th scope="col">Title</th>
<th scope="col">Author</th>
<th scope="col">ISBN</th>
<th scope="col">No. Of Copies</th>
</tr>
</thead>
<tbody>
{data.map(row =>
<TableRow key={row.id} row={row} />
)}
</tbody>
</table>
)
const TableRow = ({ row }) => (
<tr class="table-light" onClick={this.openBookDetails}>
<th scope="row" >{row.title}</th>
<td >{row.author}</td>
<td >{row.isbn}</td>
<td >24</td>
</tr>
)
class Update extends Component{
constructor(props) {
super(props);
this.state = {
value: '',
suggestions: [],
setOfAllBooks: [],
searchedBooks: []
};
this.openBookDetails = this.openBookDetails.bind(this);
this.setTableData = this.setTableData.bind(this);
}
setTableData(searchedBook){
this.setState({searchedBooks: searchedBook})
console.log(this.state.searchedBooks)
}
openBookDetails(){
console.log("openBookDetails")
}
render(){
return(
<div>
<Search state={this.state} setTableData={this.setTableData} />
<Table data={this.state.searchedBooks} />
</div>
)
}
}
export default Update;
答案 0 :(得分:1)
您的TableRow组件是stateless (presentional) component,因此您不能在其中使用this
。 openBookDetails函数位于类组件Update中,因此它不在TableRow中,而在Table的父级中:Update。
您需要将openBookDetails函数作为道具从Update传递到Table,然后从Table传递到TableRow
答案 1 :(得分:1)
您应该将函数作为道具发送给子组件。
import React, { Component } from 'react';
import './Update.css';
import Search from '../Search/Search';
const Table = ({ data, action }) => (
<table class="table table-hover">
<thead>
<tr class="table-primary">
<th scope="col">Title</th>
<th scope="col">Author</th>
<th scope="col">ISBN</th>
<th scope="col">No. Of Copies</th>
</tr>
</thead>
<tbody>
{data.map(row =>
<TableRow key={row.id} row={row} action={action} />
)}
</tbody>
</table>
)
const TableRow = ({ row, action }) => (
<tr class="table-light" onClick={action()}>
<th scope="row" >{row.title}</th>
<td >{row.author}</td>
<td >{row.isbn}</td>
<td >24</td>
</tr>
)
class Update extends Component{
constructor(props) {
super(props);
this.state = {
value: '',
suggestions: [],
setOfAllBooks: [],
searchedBooks: []
};
this.openBookDetails = this.openBookDetails.bind(this);
this.setTableData = this.setTableData.bind(this);
}
setTableData(searchedBook){
this.setState({searchedBooks: searchedBook})
console.log(this.state.searchedBooks)
}
openBookDetails(){
console.log("openBookDetails")
}
render(){
return(
<div>
<Search state={this.state} setTableData={this.setTableData} />
<Table data={this.state.searchedBooks} action={this.openBookDetails} />
</div>
)
}
}
export default Update;