0

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

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

componentDidMount方法中,我datatableData.

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

我的问题是-这样做是否正确,因为我自己对此代码质量没有信心(将 tableData 初始化为[]然后 tableData: this.state.datacomponentDidMount方法中设置)。让我知道我是否可以改进这一点,如果我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>
    );
  }
}
4

1 回答 1

1

你做得很好,但你是对的,有一种更好的方法,处理两个事实点很难维护,所以你应该只有一个包含你需要的单词的数据数组,所以你应该的方式过滤值是通过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()来确保 currentword实际上是 a ,因此如果由于某种原因 word 不是字符串string,我们可以避免错误。toLowerCase is not function of undefined

于 2019-04-20T05:55:16.227 回答