DEV Community

Cover image for React Lifecycle Methods and Hooks
Sayuj Sehgal
Sayuj Sehgal

Posted on

React Lifecycle Methods and Hooks

If you like this blog, you can visit my personal blog sehgaltech for more content.

Welcome back, React warriors! Today we explore fascinating world of lifecycle methods and hooks. These are the tools that help your React components react to changes, manage their state, and interact with the outside world. Let’s explore how to control your components behavior throughout their existence!

React Component Lifecycle Overview

The lifecycle of a React component can be divided into three main phases:

  • Mounting: When a component is first created and inserted into the DOM.

  • Updating: When a component receives new props or state changes.

  • Unmounting: When a component is removed from the DOM.

1. Mounting Phase:

  • constructor()

The constructor() method is the first to be called during the component’s creation. It’s where you initialize the component’s state and bind event handlers.

  • static getDerivedStateFromProps()
    This static method is called right before render() and is used to update the state based on changes in props. While it’s not commonly used, it can be handy in specific scenarios.

  • render()
    The render() method is responsible for rendering the component’s UI. It’s a pure function that should not modify the component’s state.

  • componentDidMount()
    After the component has been rendered to the DOM, the componentDidMount() method is called. This is a great place to initiate API calls, set up subscriptions, or perform other side effects.

2. Updating Phase:

  • static getDerivedStateFromProps()
    Similar to the mounting phase, this method is called before render() during updates to potentially update the state based on changes in props.

  • shouldComponentUpdate()
    The shouldComponentUpdate() method is called to determine if the component should re-render. You can optimize performance by preventing unnecessary renders.

  • render()
    The render() method is called to re-render the component’s UI.

  • getSnapshotBeforeUpdate()
    This method is called right before the most recently rendered output is committed to the DOM. It can capture information from the DOM before changes.

3. Unmounting Phase:

  • componentWillUnmount() The componentWillUnmount() method is called just before a component is unmounted and destroyed. It’s the ideal place to clean up any resources like subscriptions or timers.

Code Example:

import React, { Component } from 'react';

class LifecycleExample extends Component {
  constructor(props) {
    super(props);
    this.state = {
      count: 0,
    };

    console.log('Constructor: Component is being constructed');
  }

  static getDerivedStateFromProps(nextProps, nextState) {
    console.log('getDerivedStateFromProps: Before render, can update state based on props');
    return null; // Typically, you don't need to update state here
  }

  componentDidMount() {
    console.log('componentDidMount: Component is now mounted to the DOM');

    // Example of setting up a timer
    this.intervalId = setInterval(() => {
      this.setState((prevState) => ({ count: prevState.count + 1 }));
    }, 1000);
  }

  shouldComponentUpdate(nextProps, nextState) {
    console.log('shouldComponentUpdate: Determines if the component should re-render');
    return true; // Return false to prevent re-render
  }

  getSnapshotBeforeUpdate(prevProps, prevState) {
    console.log('getSnapshotBeforeUpdate: Captures information before DOM update');
    return null;
  }

  componentDidUpdate(prevProps, prevState, snapshot) {
    console.log('componentDidUpdate: Component has been updated');
  }

  componentWillUnmount() {
    console.log('componentWillUnmount: Component is about to be unmounted');

    // Example of cleaning up resources (clearing the timer)
    clearInterval(this.intervalId);
  }

  render() {
    console.log('render: Component rendering');

    return (
      <div>
        <p>Count: {this.state.count}</p>
      </div>
    );
  }
}

export default LifecycleExample;

Enter fullscreen mode Exit fullscreen mode

In this example:

  • The constructor initializes the state and logs a message.

  • getDerivedStateFromProps is rarely used but is included for illustration purposes.

  • componentDidMount is where you initiate side effects, such as setting up timers or making API calls.

  • shouldComponentUpdate can be used to optimize rendering by preventing unnecessary updates.

  • getSnapshotBeforeUpdate captures information before the DOM is updated.

  • componentDidUpdate is called after the component is updated.

  • componentWillUnmount is used for cleanup, such as clearing timers or unsubscribing from subscriptions.

Introducing React Hooks

React Hooks were introduced in React 16.8 to allow functional components to manage state and side effects without using class components. Here are some essential hooks:

useState()

This hook allows functional components to manage state. It returns an array with the current state value and a function to update it.

const [count, setCount] = useState(0);
Enter fullscreen mode Exit fullscreen mode

useEffect()

The useEffect() hook is used for side effects in functional components. It replaces lifecycle methods like componentDidMount, componentDidUpdate, and componentWillUnmount.

useEffect(() => {
  // Side effect code here
  return () => {
    // Cleanup code (componentWillUnmount)
  };
}, [dependencies]);
Enter fullscreen mode Exit fullscreen mode

useContext(), useReducer(), and more…

React Hooks cover a wide range of use cases beyond state and effects, including context, reducers, refs, and more. I'll discuss these hooks in a separate posts.

Choosing the Right Tool:

While both lifecycle methods and hooks achieve similar goals, hooks offer several advantages:

  • Simpler syntax: Hooks are generally more concise and easier to understand than lifecycle methods.

  • Functional components: They allow you to use state and side effects in functional components, making them more versatile.

  • Composability: Hooks are easier to compose and reuse compared to lifecycle methods.

However, lifecycle methods are still useful in specific scenarios, such as managing class-based components or integrating with third-party libraries.

Remember:

  • Understand the component lifecycle: Knowing the different stages (mounting, updating, unmounting) is crucial for using lifecycle methods and hooks effectively.

  • Start with basic hooks: useState and useEffect are your go-to tools for managing state and side effects.

  • Practice makes perfect! Experiment with different hooks and lifecycle methods to find the best approach for your specific needs.

Beyond the Basics:

  • Explore advanced hooks like useRef, useMemo, and useCallback for performance optimization and managing references.

  • Learn the trade-offs between using lifecycle methods and hooks in specific scenarios.

  • Master the art of composing hooks to create reusable and powerful functionalities.

Conclusion

Understanding lifecycle methods and hooks is crucial for building dynamic and efficient React applications. By using them effectively, you can control the behavior of your components, optimize performance, and create a seamless user experience. Remember, both methods and hooks have their place, and the best choice depends on your specific needs and preferences. Stay tuned for more insights in our React 101 series!

If you like this blog, you can visit my personal blog sehgaltech for more content.

Top comments (1)

Collapse
 
brense profile image
Rense Bakker

If you're going to use React hooks, it's best to completely forget about lifecycle methods. The useEffect hook is used to handle side effects, like triggering fetch requests, or handling event listeners that are not part of the React scope. The cleanup function that is returned from the useEffect hook is used to cleanup that side effect.

Btw, class components and therefore lifecycle methods are deprecated and should not be used anymore, which is a good thing, because forgetting about lifecycle methods frees up your mind to learn about programming concepts that are not specific to React.