What does calling super() in a React constructor do?

前端 未结 6 496
夕颜
夕颜 2020-11-30 20:55

Learning React from the docs and came across this example:

class Square extends React.Component {
  constructor() {
    super();
    this.state = {
      val         


        
6条回答
  •  不知归路
    2020-11-30 21:40

    super() is called inside a react component only if it has a constructor. For example, the below code doesn't require super:

    class App extends React.component {
        render(){
            return 
    Hello { this.props.world }
    ; } }

    However if we have a constructor then super() is mandatory:

    class App extends React.component {
        constructor(){
            console.log(this) //Error: 'this' is not allowed before super()
    
        }
    }
    

    The reason why this cannot be allowed before super() is because this is uninitialized if super() is not called. However even if we are not using this we need a super() inside a constructor because ES6 class constructors MUST call super if they are subclasses. Thus, you have to call super() as long as you have a constructor. (But a subclass does not have to have a constructor).

    We call super(props) inside the constructor if we have to use this.props, for example:

    class App extends React.component{
        constructor(props){
            super(props);
            console.log(this.props); // prints out whatever is inside props
    
        }
    }
    

    I hope I could make it clear.

提交回复
热议问题