Subscribe
Understanding the Component Lifecycle Methods in React Class components
5 mins read

By: vishwesh

Understanding the Component Lifecycle Methods in React Class components

Understanding the Component Lifecycle Methods in React

React is a popular JavaScript library used for building user interfaces. One of the key features of React is its component-based architecture, which allows developers to create reusable UI elements. When building React components, it's important to understand the component lifecycle methods, which are a series of methods that are called at different stages of a component's life.

In this article, we'll take a deep dive into the component lifecycle methods in React, starting with an overview of the different stages of a component's life.

The Stages of a Component's Life

A React component goes through several stages during its lifetime. These stages are:

Mounting: This is the stage when a component is first created and inserted into the DOM. During this stage, React calls several methods, including constructor, getDerivedStateFromProps, render, and componentDidMount.

Updating: This is the stage when a component's props or state change. During this stage, React calls several methods, including getDerivedStateFromProps, shouldComponentUpdate, render, getSnapshotBeforeUpdate, and componentDidUpdate.

Unmounting: This is the stage when a component is removed from the DOM. During this stage, React calls the componentWillUnmount method.

Error Handling: This is the stage when an error occurs during rendering, in a lifecycle method, or in the constructor of any child component. During this stage, React calls the componentDidCatch method.

Mounting Lifecycle Methods

The mounting lifecycle methods are called in the following order when a component is mounted:

constructor(props)

The constructor method is called first when a component is created. It initializes the component's state and binds methods to the component's instance.

class MyComponent extends React.Component {
  constructor(props) {
    super(props);
    this.state = {
      count: 0
    };
    this.handleClick = this.handleClick.bind(this);
  }
  handleClick() {
    this.setState(prevState => ({
      count: prevState.count + 1
    }));
  }
  render() {
    return (
      <div>
        <p>You clicked {this.state.count} times</p>
        <button onClick={this.handleClick}>Click me</button>
      </div>
    );
  }
}

static getDerivedStateFromProps(props, state)

The getDerivedStateFromProps method is called right before rendering, both on the initial mount and on subsequent updates. It takes the incoming props and the previous state as arguments and returns an object to update the state, or null to indicate that the state should not be updated.

class MyComponent extends React.Component {
  static getDerivedStateFromProps(props, state) {
    if (props.user !== state.user) {
      return { user: props.user };
    }
    return null;
  }
  render() {
    return <h1>Hello, {this.state.user}!</h1>;
  }
}

render()

The render method is called next. It returns a React element, which is then used to construct the DOM. This method should be pure and not modify the component's state.

class MyComponent extends React.Component {
  render() {
    return <h1>Hello, {this.props.name}!</h1>;
  }
}

componentDidMount()

The componentDidMount method is called after the component has been rendered and inserted into the DOM. This method is commonly used to fetch data or set up event listeners.

class MyComponent extends React.Component {
  state = {
    data: null,
    isLoading: true,
    error: null,
  };
  
  async componentDidMount() {
    try {
      const response = await fetch('https://api.example.com/data');
      const data = await response.json();
      this.setState({ data, isLoading: false });
    } catch (error) {
      this.setState({ error, isLoading: false });
    }
  }

  render() {
    const { data, isLoading, error } = this.state;

    if (isLoading) {
      return <p>Loading data...</p>;
    }

    if (error) {
      return <p>Error: {error.message}</p>;
    }

    return <div>{/* Render data here */}</div>;
  }
}

Updating Lifecycle Methods

The updating lifecycle methods are called when a component's props or state change. Here are the methods in the order they are called:

static getDerivedStateFromProps(props, state)

This method is also called during updating. It takes the incoming props and the previous state as arguments and returns an object to update the state, or null to indicate that the state should not be updated.

class MyComponent extends React.Component {
  static getDerivedStateFromProps(props, state) {
    if (props.user !== state.user) {
      return { user: props.user };
    }
    return null;
  }

  render() {
    return <h1>Hello, {this.state.user}!</h1>;
  }
}

shouldComponentUpdate(nextProps, nextState)

This method is called before rendering, both on the initial mount and on subsequent updates. It takes the incoming props and state as arguments and returns true if the component should update, or false if it should not. By default, React will always re-render a component if its props or state change.

class MyComponent extends React.Component {
  shouldComponentUpdate(nextProps, nextState) {
    return nextProps.value !== this.props.value;
  }

  render() {
    return <div>{this.props.value}</div>;
  }
}

render()

This method is called next, as before.

getSnapshotBeforeUpdate(prevProps, prevState)

This method is called right before the DOM is updated, and allows you to capture some information from the current DOM before it changes. The value returned from this method will be passed as the third parameter to the componentDidUpdate method.

class MyComponent extends React.Component {
  getSnapshotBeforeUpdate(prevProps, prevState) {
    if (prevProps.items.length < this.props.items.length) {
      const list = document.getElementById('my-list');
      return list.scrollHeight - list.scrollTop;
    }
    return null;
  }

  componentDidUpdate(prevProps, prevState, snapshot) {
    if (snapshot !== null) {
      const list = document.getElementById('my-list');
      list.scrollTop = list.scrollHeight - snapshot;
    }
  }

  render() {
    return (
      <ul id="my-list">
        {this.props.items.map(item => (
          <li key={item}>{item}</li>
        ))}
      </ul>
    );
  }
}

componentDidUpdate(prevProps, prevState, snapshot)

This method is called after the component has been updated and the DOM has been updated. It's commonly used to perform additional actions after an update, such as fetching new data or updating the UI based on changes to props or state.

class MyComponent extends React.Component {
  state = {
    data: null,
    isLoading: true,
    error: null,
  };

  async componentDidMount() {
    try {
      const response = await fetch('https://api.example.com/data');
      const data = await response.json();
      this.setState({ data, isLoading: false });
    } catch (error) {
      this.setState({ error, isLoading: false });
    }
  }

  async componentDidUpdate(prevProps, prevState) {
    if (prevProps.itemId !== this.props.itemId) {
      this.setState({ isLoading: true });
      try {
        const response = await fetch(`https://api.example.com/data/${this.props.itemId}`);
        const data = await response.json();
        this.setState({ data, isLoading: false });
      } catch (error) {
        this.setState({ error, isLoading: false });
      }
    }
  }

  render() {
    const { data, isLoading, error } = this.state;

    if (isLoading) {
      return <p>Loading data...</p>;
    }

    if (error) {
      return <p>Error: {error.message}</p>;
    }

    return <div>{/* Render data here */}</div>;
  }
}

Unmounting Lifecycle Methods

The unmounting lifecycle methods are called when a component is being removed from the DOM.

componentWillUnmount()

This method is called immediately before a component is unmounted and destroyed. It's commonly used to clean up any resources used by the component, such as event listeners or timers.

class MyComponent extends React.Component {
  intervalId = null;

  componentDidMount() {
    this.intervalId = setInterval(() => {
      console.log('Tick');
    }, 1000);
  }

  componentWillUnmount() {
    clearInterval(this.intervalId);
  }

  render() {
    return <div>Component with interval</div>;
  }
}

Conclusion

Understanding the component lifecycle methods is crucial for building complex React applications. By knowing when and how each method is called, you can create components that are more efficient, more responsive, and easier to reason about. With this knowledge, you'll be able to create great React applications that are a pleasure to use and maintain.

Recent posts

Don't miss the latest trends

    Popular Posts

    Popular Categories