0
0
ReactConceptBeginner · 4 min read

React Component Lifecycle: What It Is and How It Works

The component lifecycle in React is the series of stages a component goes through from creation to removal. It helps manage setup, updates, and cleanup using hooks like useEffect in functional components.
⚙️

How It Works

Think of a React component like a living creature that is born, grows, changes, and eventually disappears. The component lifecycle describes these stages: when the component is created (mounted), when it updates due to changes, and when it is removed (unmounted).

In React's modern approach with functional components, the useEffect hook acts like a caretaker that runs code at specific lifecycle moments. For example, it can run code when the component first appears, when data changes, or just before the component leaves the screen. This helps keep your app organized and efficient, like cleaning up after yourself.

💻

Example

This example shows a simple React functional component that uses useEffect to log messages when the component mounts and unmounts.

javascript
import React, { useEffect } from 'react';

function Timer() {
  useEffect(() => {
    console.log('Timer mounted');
    const interval = setInterval(() => {
      console.log('Tick');
    }, 1000);

    return () => {
      clearInterval(interval);
      console.log('Timer unmounted');
    };
  }, []); // Empty dependency array means this runs once on mount and cleanup on unmount

  return <div>Check the console for timer ticks.</div>;
}

export default Timer;
Output
Timer mounted Tick Tick Tick ... (every second) Timer unmounted (when component is removed)
🎯

When to Use

Use the component lifecycle to manage tasks that need to happen at specific times, like fetching data when a component appears, setting up timers or subscriptions, and cleaning up resources when the component disappears.

For example, if you build a chat app, you might open a WebSocket connection when the chat screen loads and close it when the user leaves. The lifecycle helps you do this cleanly and avoid bugs or memory leaks.

Key Points

  • The component lifecycle describes stages: mount, update, and unmount.
  • In modern React, the useEffect hook manages lifecycle events in functional components.
  • Use lifecycle to run code at specific times like setup, update, and cleanup.
  • Proper lifecycle management prevents bugs and resource leaks.

Key Takeaways

React component lifecycle manages creation, updates, and removal of components.
Use the useEffect hook to handle lifecycle events in functional components.
Lifecycle methods help run setup and cleanup code at the right times.
Proper lifecycle handling improves app performance and prevents bugs.