1

目前是第一次使用 getDerivedStateFromProps。我的代码可以正常工作,并且可以执行我希望它执行的操作,但是我在控制台中收到了一条警告,这让我感到困惑,因为我的代码正在运行。警告:“getDerivedStateFromProps():必须返回有效的状态对象(或 null)。您返回了未定义的。” 有没有更好的方法来编写 getDerivedStateFromProps 以消除控制台中的警告?

static getDerivedStateFromProps(props, state) {
 state.currentUser.id =
   props.location.state && props.location.state.user
     ? props.location.state.user.id
     : state.currentUser.id;
 state.currentUser.name =
   props.location.state && props.location.state.user
     ? props.location.state.user.name
     : state.currentUser.name;
 state.currentUser.roles =
   props.location.state && props.location.state.user
     ? props.location.state.user.roles
     : state.currentUser.roles;
 state.currentUser.hasAuthenticated = true;
}
4

2 回答 2

2

getDerivedStateFromProps方法应该返回更新后的状态切片,而不是更新作为参数传递的状态对象。

return {
  currentUser: {
    ...state.currentUser,
    id: props.location.state && props.location.state.user ? props.location.state.user.id : state.currentUser.id,
    name: props.location.state && props.location.state.user ? props.location.state.user.name : state.currentUser.name,
    roles: props.location.state && props.location.state.user ? props.location.state.user.roles : state.currentUser.roles,
    hasAuthenticated: true;
  }
}

我添加了以防您希望将...state.currentUser其他一些字段保留到新状态中。state.currentUser

于 2019-09-20T17:52:17.797 回答
1

您很可能不需要使用getDerivedStateFromProps官方文档解释原因

似乎您想要做的是根据更改的道具更新状态,在这种情况下componentDidUpdate()更合适,但您似乎正在根据传入的道具复制状态。

只需在渲染中访问它们就足够了;它们不需要困难的计算。就像一个虚拟的例子:

render() {
  const { userName, id } = this.props.currentUser;
  const hasAuthenticated = id && userName;

  return (hasAuthenticated)
  ?  <WelcomeMessage />
  :  <Login />
}
于 2019-09-20T21:21:13.973 回答