我试图在点击事件中向表中添加一行。这是我的组成部分:
import React, { Component } from 'react';
import PageContent from 'components/PageContent';
import { IBox, IBoxTitle, IBoxContent } from 'components/IBox';
import IBoxTools from 'components/IBoxTools';
import Table from 'components/Table';
export default class SalesChannelsPage extends Component {
constructor(props) {
super(props);
this.addRow = this.addRow.bind(this);
}
render() {
return (
<PageContent header="Salgskanaler">
<IBox>
<IBoxTitle>
Salgskanaler
<IBoxTools icon="fa fa-plus" title="Tilføj salgskanal" handleClick={() => this.addRow()}/>
</IBoxTitle>
<IBoxContent>
<Table>
<thead>
<tr>
<td className="channel-name">Navn</td>
<td className="channel-description">Beskrivelse</td>
<td className="channel-btn"></td>
</tr>
</thead>
<tbody>
</tbody>
</Table>
</IBoxContent>
</IBox>
</PageContent>
);
}
addRow() {
console.log('add row')
}
}
因此,每次单击按钮时,都应添加一个新行,并且应该可以向列表中添加尽可能多的行。这是我要添加的行。
我意识到我可以在状态中创建一个数组并将其放在那里,但我已经知道只有数据应该包含在状态中。一些帮助将非常感激。 THX
<tr>
<td className="channel-name">
<input className="form-control input-sm" type="text" placeholder="Navn..." />
</td>
<td className="channel-description">
<input className="form-control input-sm" type="text" placeholder="Beskrivelse..." />
</td>
<td className="channel-btn">
<div>
<div className="btn btn-xs btn-danger"><span className="fa fa-times"></span></div>
<div className="btn btn-xs btn-primary"><span className="fa fa-floppy-o"></span></div>
</div>
</td>
</tr>
答案 0 :(得分:4)
正如Matthew Herbst所说,这就是国家的目的。据推测,这些行需要显示某种数据。您不应该将HTML / JSX存储在数组中,但是您应该存储用于在数组中构造列表的数据。这就是React的优点。您声明了如何基于底层数据呈现UI。然后你只是操纵数据。所以首先你需要一个代表列表的状态数组。此外,您不需要将addRow
处理程序声明为函数返回。这是一个功能。只需通过排除()
括号来调用函数而不调用它。最后,你在数组上map
,返回行。显然,这是没有数据的所有转储,但它会立即清楚您想要的行中的数据。所以看起来应该是这样的:
import React, { Component } from 'react';
import PageContent from 'components/PageContent';
import { IBox, IBoxTitle, IBoxContent } from 'components/IBox';
import IBoxTools from 'components/IBoxTools';
import Table from 'components/Table';
export default class SalesChannelsPage extends Component {
constructor(props) {
super(props);
this.addRow = this.addRow.bind(this);
this.state = {
rows: []
}
}
render() {
return (
<PageContent header="Salgskanaler">
<IBox>
<IBoxTitle>
Salgskanaler
<IBoxTools icon="fa fa-plus" title="Tilføj salgskanal" handleClick={this.addRow}/>
</IBoxTitle>
<IBoxContent>
<Table>
<thead>
<tr>
<td className="channel-name">Navn</td>
<td className="channel-description">Beskrivelse</td>
<td className="channel-btn"></td>
</tr>
</thead>
<tbody>
{this.state.rows.map(row => <tr></tr>)}
</tbody>
</Table>
</IBoxContent>
</IBox>
</PageContent>
);
}
addRow() {
var nextState = this.state;
nextState.rows.push('placeholder');
this.setState(nextState);
}
}
我再一次将文本placeholder
推送到数组的末尾,因为我不知道你想要的数据。但是,每按一次按钮,这将为您生成空<tr>
标记。