Equivalent Lifecycle Methods in Function-Based React Components

Equivalent Lifecycle Methods in Function-Based React Components

React has evolved significantly since its inception, and with the introduction of hooks in React 16.8, managing component state and lifecycle in function-based components has become more streamlined and powerful. This article will explore how to achieve the functionality of traditional class-based lifecycle methods using hooks.

Overview of Class-Based Lifecycle Methods

In class-based components, React provides several lifecycle methods:

  1. Mounting:
    • constructor()
    • componentWillMount()
    • componentDidMount()
  2. Updating:
    • componentWillReceiveProps()
    • shouldComponentUpdate()
    • componentWillUpdate()
    • getSnapshotBeforeUpdate()
    • componentDidUpdate()
  3. Unmounting:
    • componentWillUnmount()

Equivalent Lifecycle Methods with Hooks

React hooks provide a way to use state and other React features in function-based components. Here’s how you can achieve the equivalent functionality of lifecycle methods with hooks:

  1. Mounting:
    • constructor() -> useState
    • componentWillMount() -> useEffect (with an empty dependency array)
    • componentDidMount() -> useEffect (with an empty dependency array)
  2. Updating:
    • componentWillReceiveProps() -> useEffect (with dependencies)
    • shouldComponentUpdate() -> Conditional logic within the component
    • componentWillUpdate() -> useEffect (with dependencies)
    • getSnapshotBeforeUpdate() -> useEffect (with cleanup function and dependencies)
    • componentDidUpdate() -> useEffect (with dependencies)
  3. Unmounting:
    • componentWillUnmount() -> Cleanup function in useEffect

Detailed Breakdown with Examples

useState

The useState hook is used to declare state variables in function components, replacing the constructor in class components.

import React, { useState } from 'react';
function Counter() {
  const [count, setCount] = useState(0);
  return (
<div>
Count: {count}
      <button onClick={() => setCount(count + 1)}>Increment</button>
    </div>
  );
}

useEffect

The useEffect hook lets you perform side effects in function components. It serves various purposes depending on how it’s used.

componentDidMount

To replicate componentDidMount, use useEffect with an empty dependency array. This effect runs once after the initial render.

import React, { useState, useEffect } from 'react';
function DataFetcher() {
  const [data, setData] = useState(null);
  useEffect(() => {
    fetch('https://api.example.com/data')
      .then(response => response.json())
      .then(data => setData(data));
  }, []);
  return (
<div>
<h1>Fetched Data</h1>
      {data ? 
<pre>{JSON.stringify(data, null, 2)}</pre>
 : 
Loading...
}
    </div>
  );
}

componentDidUpdate

To replicate componentDidUpdate, use useEffect with dependencies. This effect runs after every render where the dependencies have changed.

import React, { useState, useEffect } from 'react';
function Counter() {
  const [count, setCount] = useState(0);
  useEffect(() => {
    document.title = `Count: ${count}`;
  }, [count]);
  return (
<div>
Count: {count}
      <button onClick={() => setCount(count + 1)}>Increment</button>
    </div>
  );
}

componentWillUnmount

To replicate componentWillUnmount, return a cleanup function from useEffect. This function runs when the component unmounts.

import React, { useState, useEffect } from 'react';
function Timer() {
  const [seconds, setSeconds] = useState(0);
  useEffect(() => {
    const intervalId = setInterval(() => {
      setSeconds(s => s + 1);
    }, 1000);
    return () => {
      clearInterval(intervalId);
    };
  }, []);
  return (
<div>
Seconds: {seconds}
</div>
  );
}

Complete Example

Let’s combine these concepts into a complete example. We’ll create a weather component that fetches data from an API, updates every minute, and handles component lifecycle events.

import React, { useState, useEffect } from 'react';
import ReactDOM from 'react-dom';
import axios from 'axios';
const WeatherComponent = ({ city }) => {
  const [weather, setWeather] = useState(null);
  const [error, setError] = useState(null);
  const fetchWeather = async (city) => {
    const apiKey = 'YOUR_API_KEY'; // Replace with your OpenWeatherMap API key
    try {
      const response = await axios.get(`https://api.openweathermap.org/data/2.5/weather?q=${city}&appid=${apiKey}`);
      setWeather(response.data);
      setError(null);
    } catch (error) {
      setError(error.message);
    }
  };
  useEffect(() => {
    console.log('ComponentDidMount: Fetching weather data');
    fetchWeather(city);
    const timerID = setInterval(() => {
      console.log('Updating weather data every minute');
      fetchWeather(city);
    }, 60000);
    return () => {
      console.log('ComponentWillUnmount: Clearing timer');
      clearInterval(timerID);
    };
  }, [city]);
  useEffect(() => {
    console.log('City prop changed, fetching new weather data');
    fetchWeather(city);
  }, [city]);
  console.log('Render: Rendering component UI');
  return (
<div>
<h1>Weather in {city}</h1>
      {error ? (
Error: {error}
      ) : weather ? (
<div>
Temperature: {(weather.main.temp - 273.15).toFixed(2)}°C
Condition: {weather.weather[0].description}
Humidity: {weather.main.humidity}%
Wind Speed: {weather.wind.speed} m/s
</div>
      ) : (
Loading...
      )}
    </div>
  );
};
const App = () => {
  const [showWeather, setShowWeather] = useState(true);
  const [city, setCity] = useState('London');
  const toggleWeatherComponent = () => {
    setShowWeather(!showWeather);
  };
  const changeCity = () => {
    setCity((prevCity) => (prevCity === 'London' ? 'New York' : 'London'));
  };
  return (
<div>
      <button onClick={toggleWeatherComponent}>
        {showWeather ? 'Hide' : 'Show'} Weather Component
      </button>
      <button onClick={changeCity}>Change City</button>
      {showWeather && <WeatherComponent city={city} />}
    </div>
  );
};
ReactDOM.render(<App />, document.getElementById('root'));

Explanation

  1. useState:
    • Manages state variables for weather data and errors.
  2. useEffect:
    • ComponentDidMount: Fetches initial weather data and sets up an interval to fetch data every minute. Cleans up the interval on unmount.
    • ComponentDidUpdate: Fetches new weather data when the city prop changes.
  3. fetchWeather:
    • An asynchronous function that fetches weather data from the OpenWeatherMap API and updates the state.
  4. App Component:
    • Contains buttons to toggle the visibility of the WeatherComponent and change the city.

React hooks provide a powerful and flexible way to manage component state and lifecycle in function-based components. By using hooks like useState and useEffect, you can effectively replace traditional class-based lifecycle methods, leading to more concise and readable code. The example above demonstrates how to handle real-world scenarios such as fetching data, updating state, and cleaning up resources with hooks.

Reach Out to me!

DISCUSS A PROJECT OR JUST WANT TO SAY HI? MY INBOX IS OPEN FOR ALL