在React中,这两种实现之间有什么真正的区别吗? 一些朋友告诉我FirstComponent是模式,但我不明白为什么。SecondComponent看起来更简单,因为渲染只被调用一次。

第一:

import React, { PropTypes } from 'react'

class FirstComponent extends React.Component {

  state = {
    description: ''
  }

  componentDidMount() {
    const { description} = this.props;
    this.setState({ description });
  }

  render () {
    const {state: { description }} = this;    
    return (
      <input type="text" value={description} /> 
    );
  }
}

export default FirstComponent;

第二:

import React, { PropTypes } from 'react'

class SecondComponent extends React.Component {

  state = {
    description: ''
  }

  constructor (props) => {
    const { description } = props;
    this.state = {description};
  }

  render () {
    const {state: { description }} = this;    
    return (
      <input type="text" value={description} />   
    );
  }
}

export default SecondComponent;

更新: 我将setState()更改为这个。state ={}(谢谢joews),然而,我仍然没有看到区别。哪个更好?


当前回答

如果你直接从props初始化状态,它会在React 16.5中显示警告

其他回答

你不需要在组件的构造函数中调用setState——这是习惯用法。国家直接:

class FirstComponent extends React.Component {

  constructor(props) {
    super(props);

    this.state = {
      x: props.initialX
    };
  }
  // ...
}

参见React文档-向类中添加本地状态。

你描述的第一种方法没有任何优势。这将导致在第一次挂载组件之前立即进行第二次更新。

React 16.3 alpha的更新引入了静态getDerivedStateFromProps(nextProps, prevState) (docs)作为componentWillReceiveProps的替换。

getDerivedStateFromProps在组件实例化之后以及在它接收到新道具时调用。它应该返回一个对象来更新状态,或者返回null来表示新的道具不需要任何状态更新。 注意,如果父组件导致你的组件重新呈现,即使道具没有改变,这个方法也会被调用。如果您只想处理更改,则可能希望比较新的值和以前的值。

https://reactjs.org/docs/react-component.html#static-getderivedstatefromprops

它是静态的,因此它不能直接访问this(但是它可以访问prevState,它可以存储通常附加到this的东西,例如refs)

编辑以反映@nerfologist在评论中的更正

在构造函数中从props初始化状态时必须小心。即使道具更换为新的道具,状态也不会改变,因为再也不会发生坐骑。 所以getDerivedStateFromProps是存在的。

class FirstComponent extends React.Component {
    state = {
        description: ""
    };
    
    static getDerivedStateFromProps(nextProps, prevState) {
        if (prevState.description !== nextProps.description) {
          return { description: nextProps.description };
        }
    
        return null;
    }

    render() {
        const {state: {description}} = this;    

        return (
            <input type="text" value={description} /> 
        );
    }
}

或者使用关键道具作为初始化的触发器:

class SecondComponent extends React.Component {
  state = {
    // initialize using props
  };
}
<SecondComponent key={something} ... />

在上面的代码中,如果发生了变化,那么SecondComponent将作为一个新实例重新挂载,状态将由props初始化。

如果你直接从props初始化状态,它会在React 16.5中显示警告

你可以在需要的时候使用键值重置状态,传递道具给状态,这不是一个好的做法,因为你在一个地方有不受控组件和受控组件。数据应该在一个地方处理 读到这 https://reactjs.org/blog/2018/06/07/you-probably-dont-need-derived-state.html#recommendation-fully-uncontrolled-component-with-a-key