以下是此问题的代码和框:https://codesandbox.io/s/rdg-grouping-81b1s
我正在使用React-Data-Grid
渲染表格。我呈现了一个具有两列的ReactDataGrid
,当您单击标题单元格中的文本GROUP
时,您将该列分组。
为了能够使用带有文本GROUP
的自定义标题单元格,我在定义列的对象中使用属性headerRenderer
。
传递给此属性的值是一个函数,该函数以onClick
处理函数作为参数,并返回使用该onClick
处理函数的功能性React组件。
onClick
参数只是原始React组件上的一个方法,它绑定在组件的构造函数中。
如您所见,我两次使用此headerRenderer
属性,每列一次。但是,对于第一列,我再次将参数函数绑定到React组件。对于第二列,我没有,并且在尝试单击此列的GROUP
文本时会产生错误。参见下面的错误图片。
我的问题是:鉴于已经在构造函数中绑定了函数,为什么我必须绑定?
import React from 'react';
import './App.css';
import ReactDataGrid from 'react-data-grid';
import { Data } from 'react-data-grid-addons';
const HeaderRowRenderer = function(props) {
return (
<div
style={{
backgroundColor: 'red',
paddingLeft: 10,
height: '100%',
padding: 0,
display: 'flex',
flexDirection: 'row',
alignItems: 'center',
justifyContent: 'space-between',
}}
>
<span>{props.column.name}</span>
<span onClick={props.onClick}>GROUP</span>
</div>
);
};
const HeaderRenderer = function(groupBy, onClick) {
return function(props) {
return (
<HeaderRowRenderer
{...props}
onClick={function() {
onClick(groupBy);
}}
/>
);
};
};
const rows = [{ productname: 'Beef', quantity: 5 }, { productname: 'Veggies', quantity: 10 }];
class App extends React.Component {
columns = [
{
key: 'productname',
name: 'Product',
width: 200,
headerRenderer: HeaderRenderer('productname', this.groupBy.bind(this)),
},
{
key: 'quantity',
name: 'Quantity',
headerRenderer: HeaderRenderer('quantity', this.groupBy),
},
];
constructor(props) {
super(props);
this.state = {
groupBy: new Set([]),
};
this.groupBy = this.groupBy.bind(this);
}
groupBy(group) {
const newSet = new Set(this.state.groupBy);
if (newSet.has(group)) {
newSet.delete(group);
} else {
newSet.add(group);
}
this.setState({ groupBy: newSet });
}
render() {
const groupBy = Array.from(this.state.groupBy);
// const rows = this.props.orderItems;
const groupedRows = Data.Selectors.getRows({
rows: rows,
groupBy,
});
return (
<div>
<ReactDataGrid
columns={this.columns}
rowGetter={i => groupedRows[i]}
rowsCount={groupedRows.length}
minHeight={650}
/>
</div>
);
}
}
export default App;
我查看了React-Data-Grid
的代码,并且我相信headerRenderer
道具的调用方式如下:
getCell() {
const { height, column, rowType } = this.props;
const renderer = this.props.renderer || SimpleCellRenderer;
if (isElement(renderer)) {
// if it is a string, it's an HTML element, and column is not a valid property, so only pass height
if (typeof renderer.type === 'string') {
return React.cloneElement(renderer, { height });
}
return React.cloneElement(renderer, { column, height });
}
return React.createElement(renderer, { column, rowType });
}
我对使用bind
绑定然后传递的函数失去这种约束的方式不太熟悉。这是由于React.cloneElement导致的,还是可能是由它引起的?