
In React, the useEffect hook is used for managing side effects like data fetching, subscriptions, and manual DOM manipulations. When working with subscriptions (e.g., WebSockets, event listeners, or external data streams), it’s important to clean up those subscriptions when the component unmounts or when dependencies change to prevent memory leaks and unexpected behavior.
If you forget to include a cleanup function in useEffect, the subscription may continue even after the component is unmounted or updated, leading to unwanted side effects or memory leaks.
Key Points:
- Subscription Setup: Subscriptions usually involve setting up some sort of listener or connection, like subscribing to an event or opening a WebSocket.
- Cleanup: In order to avoid memory leaks or unnecessary side effects, it’s crucial to clean up the subscription when the component unmounts or when certain dependencies change.
- Returning a Cleanup Function: The useEffecthook can return a function that React will call when the component unmounts or before the effect runs again (when dependencies change).
Example of the Problem: Forgetting Cleanup for Subscriptions
Problem Scenario: Missing Cleanup for Event Listener
import React, { useState, useEffect } from 'react';
function EventComponent() {
  const [message, setMessage] = useState('');
  useEffect(() => {
    const handleEvent = (event) => {
      setMessage(`Received event: ${event.detail}`);
    };
    // Subscribing to an event
    window.addEventListener('customEvent', handleEvent);
    // Missing cleanup: event listener is never removed
  }, []); // Empty dependency array means this effect runs only once, but without cleanup
  return <p>{message}</p>;
}
export default EventComponent;
Why It Happens:
- No Cleanup: In this example, we subscribe to a custom event using window.addEventListener. However, there’s no cleanup for this event listener. When the component unmounts, the listener will still be active, potentially causing memory leaks or trying to update state on an unmounted component.
- Memory Leaks: Without the cleanup, the event listener will persist even after the component is unmounted, and any events fired will still try to trigger the handleEventfunction, potentially causing errors or memory leaks.
Correct Approach: Adding Cleanup for Subscriptions
To prevent memory leaks and avoid unwanted side effects, always return a cleanup function from useEffect that will unsubscribe or clean up any side effects when the component is unmounted or before the effect is re-run (when dependencies change).
Corrected Version: Adding Cleanup for Event Listener
import React, { useState, useEffect } from 'react';
function EventComponent() {
  const [message, setMessage] = useState('');
  useEffect(() => {
    const handleEvent = (event) => {
      setMessage(`Received event: ${event.detail}`);
    };
    // Subscribing to an event
    window.addEventListener('customEvent', handleEvent);
    // Cleanup function to remove the event listener when the component unmounts or dependencies change
    return () => {
      window.removeEventListener('customEvent', handleEvent);
    };
  }, []); // Empty dependency array ensures this runs once, and cleanup happens on unmount
  return <p>{message}</p>;
}
export default EventComponent;
Explanation:
- Returning Cleanup Function: The cleanup function window.removeEventListener('customEvent', handleEvent)is returned fromuseEffect. React will call this function when the component is unmounted or before the effect is re-executed due to dependency changes.
- Avoid Memory Leaks: This ensures that the event listener is properly removed when the component is no longer needed, preventing memory leaks.
Example with WebSocket Subscription:
Let’s consider a scenario where we subscribe to a WebSocket and need to clean up the subscription when the component unmounts.
Problem Scenario: Missing Cleanup for WebSocket
import React, { useState, useEffect } from 'react';
function WebSocketComponent() {
  const [message, setMessage] = useState('');
  useEffect(() => {
    const socket = new WebSocket('ws://example.com/socket');
    socket.onmessage = (event) => {
      setMessage(event.data);
    };
    // No cleanup: the WebSocket connection persists even after the component is unmounted
  }, []);
  return <p>{message}</p>;
}
export default WebSocketComponent;
Why It Happens:
- No Cleanup: The WebSocket connection will remain open even after the component is unmounted, leading to potential memory leaks and trying to update state on an unmounted component.
Correct Approach: Adding Cleanup for WebSocket Subscription
import React, { useState, useEffect } from 'react';
function WebSocketComponent() {
  const [message, setMessage] = useState('');
  useEffect(() => {
    const socket = new WebSocket('ws://example.com/socket');
    socket.onmessage = (event) => {
      setMessage(event.data);
    };
    // Cleanup function to close the WebSocket when the component unmounts
    return () => {
      socket.close(); // Properly close the WebSocket connection
    };
  }, []); // Empty dependency array ensures it runs only once on mount and cleanup happens on unmount
  return <p>{message}</p>;
}
export default WebSocketComponent;
Explanation:
- Cleanup with socket.close(): When the component unmounts, the WebSocket connection is closed, preventing it from lingering and causing potential issues.
Common Pitfalls with Subscriptions:
- Forgetting Cleanup:
- Always remember to clean up subscriptions like event listeners, WebSocket connections, or other asynchronous operations to prevent memory leaks.
 
- State Updates on Unmounted Components:
- If a subscription or event listener tries to update state after the component is unmounted, it can lead to errors like Cannot update a component while rendering a different component. Cleanup functions ensure that this doesn’t happen.
 
- If a subscription or event listener tries to update state after the component is unmounted, it can lead to errors like 
- Multiple Subscriptions:
- If you’re working with multiple subscriptions or side effects, ensure that each one is cleaned up independently to avoid leaving residual listeners or connections.
 
Key Takeaways:
- Always return a cleanup function in useEffectwhen dealing with subscriptions, event listeners, or any other side effects that need to be cleaned up.
- Cleanup ensures that resources are properly freed, preventing memory leaks and avoiding unwanted side effects when the component unmounts or dependencies change.
- WebSocket connections, event listeners, intervals, and timeouts all require proper cleanup to avoid performance issues and ensure the app behaves correctly over time.
