13

我有一个由 react-router (path="profile/:username") 加载的 Profile 组件,该组件本身如下所示:

...
import { fetchUser } from '../actions/user';

class Profile extends Component {
  constructor(props) {
    super(props);
  }
  componentDidMount() {
    const { username } = this.props;
    this.fetchUser(username);
  }
  componentWillReceiveProps(nextProps) {
    const { username } = nextProps.params;
    this.fetchUser(username);
  }
  fetchUser(username) {
    const { dispatch } = this.props;
    dispatch(fetchUser(username));
  }
  render() {...}
}

export default connect((state, ownProps) => {
  return {
    username: ownProps.params.username,
    isAuthenticated: state.auth.isAuthenticated
  };
})(Profile);

fetchUser 操作看起来像这样(redux-api-middleware):

function fetchUser(id) {
  let token = localStorage.getItem('jwt');
  return {
    [CALL_API]: {
      endpoint: `http://localhost:3000/api/users/${id}`,
      method: 'GET',
      headers: { 'x-access-token': token },
      types: [FETCH_USER_REQUEST, FETCH_USER_SUCCESS, FETCH_USER_FAILURE]
    }
  }
}

我添加 componentWillReceiveProps 函数的原因是在 URL 更改为另一个 :username 时做出反应并加载该用户的个人资料信息。乍一看,一切似乎都正常,但后来我注意到在调试时 componentWillReceiveProps 函数在无限循环中被调用,我不知道为什么。如果我删除 componentWillReceiveProps 则配置文件不会使用新用户名更新,但我没有循环问题。有任何想法吗?

4

3 回答 3

17

尝试添加条件来比较道具。如果您的组件需要它。

componentWillRecieveProps(nextProps){
 if(nextProps.value !== this.props.value)
  dispatch(action()) //do dispatch here 
}
于 2016-03-24T18:07:06.330 回答
11

componentWillReceiveProps处于无限循环中,因为调用fetchUser将调度一个更新 Props 的操作。

添加比较以检查特定道具是否在调度操作之前发生变化。 编辑:

React 16.3+ componentWillReceiveProps中将慢慢弃用

建议使用componentDidUpdate代替_componentWillReceiveProps

componentDidUpdate(prevProps) {
  if (this.props.params.username !== prevProps.params.username) {
    dispatch(fetchUser(username));
  }
}

https://reactjs.org/blog/2018/03/27/update-on-async-rendering.html#fetching-external-data-when-props-change

于 2016-03-23T22:39:26.570 回答
5

如果您使用一些路径参数(例如 profile/:username)对路由做出反应,您可以简单地比较props.location.pathname

componentWillReceiveProps(nextProps){    
    if(nextProps.location.pathname !== this.props.location.pathname){
          dispatch()
        }
 }  
于 2017-06-09T08:36:51.193 回答