在 ComponentDidMount 中赋值而不是 React 中的构造函数

Assignment of value in ComponentDidMount instead of constructor function in React

以下是我的代码(运行良好),我可以在其中根据文本框中提供的输入对列表进行排序。在 constructor 方法中,我这样声明我的状态 -

this.state = {
      data: ["Adventure", "Romance", "Comedy", "Drama"],
      tableData: []
    };

componentDidMount 方法中,我在 tableData 中分配了 data 键状态。

  componentDidMount() {
    this.setState({
      tableData: this.state.data
    });
  }

我的问题是——这样做是否正确,因为不知何故我自己对此代码质量没有信心(将 tableData 初始化为 [],然后在 [=14] 中设置 tableData: this.state.data =] 方法)。让我知道如果我可以改进这一点,如果我 fetch 来自 API 的数据会有什么变化,这是在应用程序中初始化和使用的最佳位置。

工作代码示例 - https://codesandbox.io/s/k9j86ylo4o

代码-

class App extends Component {
  constructor(props) {
    super(props);
    this.state = {
      data: ["Adventure", "Romance", "Comedy", "Drama"]
    };
    this.handleChange = this.handleChange.bind(this);
  }

  refineDataList(inputValue) {
    const listData = this.state.data;
    const result = listData.filter(item =>
      item.toLowerCase().match(inputValue.toLowerCase())
    );
    this.setState({
      data: result
    });
  }

  handleChange(e) {
    const inputValue = e && e.target && e.target.value;
    this.refineDataList(inputValue);
  }
  render() {
    return (
      <div className="App">
        <h3>DATA SEARCH</h3>
        <div className="form">
          <input type="text" onChange={this.handleChange} />
        </div>
        <div className="result">
          <ul>
            {this.state.data &&
              this.state.data.map((item, i) => {
                return <li key={i}>{item}</li>;
              })}
          </ul>
        </div>
      </div>
    );
  }
}

你做得很好,但你是对的,有一种更好的方法,处理两点真相很难维护,所以你应该只有一个数据数组,里面有你需要的词,所以你应该过滤值的方法是通过在状态中创建一个 filter 变量来存储要过滤的当前单词,所以你应该添加类似

// in the constructor function
constructor(props) {
  super(props);
  this.state = {
    data: ["Adventure", "Romance", "Comedy", "Drama"],
    filter: ""
  }
}

// create a filter function
getFilteredResults() {
  const { filter, data } = this.state;
  return data.filter(word => String(word).toLowerCase().match(filter));
}

// and finally into your render function
render() {
  return (
    <div>
      {this.getFilteredResults().map((word) => (
        <div>{word}</div>
      ))}
    </div>
  );
}

显然记得更新你的 handleChange 函数,就像这样

handleChange(e) {
  const inputValue = e && e.target && e.target.value;
  this.setState({ filter: inputValue });
  //this.refineDataList(inputValue);
}

这样一来,您将只维护一点真理,它将按预期工作。

注意:我们使用String(word).toLowerCase()来确保当前的word实际上是一个string,这样我们就可以避免toLowerCase is not function of undefined的错误,如果由于某种原因的话不是字符串。