22

我试图在组件更新后从服务器获取数据,但我无法做到这一点。据我了解componentWillUnmount,当组件即将被销毁时会调用它,但我从来不需要销毁它,所以它对我来说没用。对此有什么解决方案?我什么时候应该设置状态?

async componentDidUpdate(prevProps, prevState) {
  if (this.props.subject.length && prevProps.subject !== this.props.subject) {
    let result = await this.getGrades({
      student: this.props.id,
      subject: this.props.subject
    });
    this.setState({
      subject: this.props.subject,
      grades: result
    });
  }
}

async getGrades(params) {
  let response, body;

  if (params['subject'].length) {
    response = await fetch(apiRequestString.gradesBySubject(params));
    body = await response.json();
  } else {
    response = await fetch(apiRequestString.grades(params));
    body = await response.json();
  }

  if (response.status !== 200) throw Error(body.message);

  return body;
}

完整错误:

Warning: Can't call setState (or forceUpdate) on an unmounted component. This is a no-op, 
but it indicates a memory leak in your application. To fix, cancel all subscriptions and
asynchronous tasks in the componentWillUnmount method.
4

2 回答 2

46

我在这种情况下使用的一个常见模式是类似于

componentWillUnmount() {
    this.isCancelled = true;
}

然后在您等待异步函数解析的代码中,您将在设置状态之前添加一个检查:

async componentDidUpdate(prevProps, prevState) {
    if (this.props.subject.length && prevProps.subject !== this.props.subject) {
        let result = await this.getGrades({
            student: this.props.id,
            subject: this.props.subject
        });
        !this.isCancelled && this.setState({
            subject: this.props.subject,
            grades: result
        });
    }
}

这将停止卸载/卸载组件上的任何状态设置

于 2018-05-19T22:08:29.063 回答
1

接受的答案有效,并且是在组件渲染方法(getInitialState、componentWillMount、componentDidMount)中调用异步函数的问题的有效解决方法。

但是更好的做法是使用像 Redux 和 Flux 这样的状态管理助手和一个全局存储,这可能会避免多个 setStates 的问题。

于 2018-08-02T12:10:48.280 回答