如何独立更新 React Class 组件中的多个子状态?

How to update multiple child states in React Class Components independently?

我知道如何使用功能组件来完成。但是当涉及到 class 组件时,我有几个问题需要澄清。

我这里有一个class,

class MyTable extends Component {
   constructor(props) {
      super(props);
       this.state = {
          page:0,
          rowsPerPage:10
       }
   }

   handleChangePage(event) {
      //Here I want to update only **page** keeping **rowsPerPage** intact
   }

   handleChangeRowsPerPage(event) {
      //Here I want to update only **rowsPerPage** keeping **page** intact
   }

   render() {
      return(
         <SomeComponent
           onChangePage={this.handleChangePage}
           onChangeRowsPerPage={this.handleChangeRowsPerPage}
         />
      )
   }
}
export default Mytable;

所以我想知道的是,

  1. 如果我只想更新状态对象中的 page,我是否必须保留 rowsPerPage 并更新他们都作为 this.setState({page:<updatedValue>, rowsPerPage:<preservedValue>); 反之亦然

  2. handleChangePagehandleChangeRowsPerPage 中包含哪些代码,如果我们可以更新状态对象中的独立属性。

  3. 当我们有多个这样的状态并且我们想独立更新每个状态时,最佳实践是什么?

您可以像我下面那样独立更新 pagerowsPerPage。您只需调用 this.setState 并传递并反对您要更新

的状态 key

class MyTable extends React.Component {
   constructor(props) {
      super(props);
       this.state = {
          page:0,
          rowsPerPage:10
       }
       
       this.handleChangePage = this.handleChangePage.bind(this);
       this.handleChangeRowsPerPage = this.handleChangeRowsPerPage.bind(this);
   }

   handleChangePage(event) {
      //Here I want to update only **page** keeping **rowsPerPage** intact
      this.setState({page: event.target.value});
   }

   handleChangeRowsPerPage(event) {
      //Here I want to update only **rowsPerPage** keeping **page** intact
      this.setState({rowsPerPage: event.target.value});
   }

   render() {
      return (
         <div>
            <div>
              Page <input type="text" value={this.state.page} onChange={this.handleChangePage} />
            </div>
            
            <div>
              rowsPerPage <input type="text" value={this.state.rowsPerPage} onChange={this.handleChangeRowsPerPage} /></div>
         </div>
      )
   }
}

ReactDOM.render(<MyTable />, document.getElementById('root'));
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/16.6.3/umd/react.production.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-dom/16.6.3/umd/react-dom.production.min.js"></script>
<div id="root"></div>