Learn useEffect in ReactJS: A Beginner’s Guide

useEffect in React
The detailed guide explains how to leverage useEffect in ReactJS applications. This article explains how side effects are handled through usage of useEffect and common errors.

JavaScript developers frequently select ReactJS to build user interfaces among their options. The main purpose of the useEffect hook is to handle the execution of side effects in React applications. The following analysis discusses useEffect concepts in full detail along with description of typical mistakes novice developers make when using this hook and comparison between its implementation between class and function components.

If you are new to React.Js, you can read my React.js: A Beginner’s Guide  for better understanding.

What is useEffect in ReactJS?

With React side effects represent all activities which occur beyond standard rendering procedures including data retrieval and DOM modifications or subscription configurations. React Hooks introduced a new way to manage component side effects after the lifecycle methods componentDidMount, componentDidUpdate and componentWillUnmount existed in class components. The useEffect hook enables functional components to manage side effects with an improved approach.

Syntax of useEffect

				
					import React, { useEffect, useState } from "react";

const ExampleComponent = () => {
  const [count, setCount] = useState(0);

  useEffect(() => {
    console.log("Component rendered or updated");
  });

  return (
    <div>
      <p>Count: {count}</p>
      <button onClick={() => setCount(count + 1)}>Increment</button>
    </div>
  );
};

export default ExampleComponent;

				
			

How useEffect Works

The useEffect hook executes the provided function following render completion on the screen. You can manage when useEffect executes using dependencies although it triggers automatically after every render.

Different Usage Patterns of useEffect

1. Running After Every Render (Default Behavior)

				
					useEffect(() => {
  console.log("Runs after every render");
});

				
			

The effect executes after each time the component needs rendering.

2. Running Only on Mount (ComponentDidMount Equivalent)

				
					useEffect(() => {
  console.log("Runs only on mount");
}, []);
				
			

The effect will execute only when the component first mounts because it receives an empty dependency array ([]).

3. Running on State or Prop Change (ComponentDidUpdate Equivalent)

				
					useEffect(() => {
  console.log("Runs when count changes");
}, [count]);

				
			

The effect operates during every change in count state value.

4. Cleaning Up (ComponentWillUnmount Equivalent)

				
					useEffect(() => {
  const interval = setInterval(() => {
    console.log("Running interval...");
  }, 1000);

  return () => {
    clearInterval(interval);
    console.log("Cleanup on unmount");
  };
}, []);

				
			

Inside the useEffect return function there exists a cleanup component which executes when the component changes or unmounts.

Common Errors Beginners Face with useEffect

1. Infinite Loop Due to Missing Dependencies

				
					useEffect(() => {
  setCount(count + 1);
}, []); // Wrong: `count` should be in dependency array

				
			

The infinite loop occurs because updating the counter conflicts with the specified dependencies.

2. Not Cleaning Up Side Effects

				
					useEffect(() => {
  const interval = setInterval(() => {
    console.log("Running...");
  }, 1000);
}, []); // No cleanup!

				
			

Running the function after component unmount creates memory leaks in the system. Always return a cleanup function.

3. Using useEffect Incorrectly for Initial Data Fetch

				
					useEffect(async () => {
  const data = await fetchData();
  setData(data);
}, []);

				
			

The callback function of useEffect must be kept synchronous in React functionality. Add an inner async function as an alternative to using an async callback function in useEffect.

				
					useEffect(() => {
  const fetchData = async () => {
    const data = await getData();
    setData(data);
  };
  fetchData();
}, []);

				
			

useEffect in Function Components vs. Lifecycle Methods in Class Components

Class components from the past used lifecycle methods to manage their side effects before Hooks were developed. Let’s compare:

Function Component with useEffect

				
					const Timer = () => {
  const [seconds, setSeconds] = useState(0);

  useEffect(() => {
    const interval = setInterval(() => {
      setSeconds((prev) => prev + 1);
    }, 1000);

    return () => clearInterval(interval); // Cleanup function
  }, []);

  return <p>Seconds: {seconds}</p>;
};

				
			

Class Component Equivalent

				
					class Timer extends React.Component {
  constructor(props) {
    super(props);
    this.state = { seconds: 0 };
  }

  componentDidMount() {
    this.interval = setInterval(() => {
      this.setState((prevState) => ({ seconds: prevState.seconds + 1 }));
    }, 1000);
  }

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

  render() {
    return <p>Seconds: {this.state.seconds}</p>;
  }
}

				
			

Key Differences

  • Function components achieve better clarity through the use of useEffect when compared to class-based lifecycle methods.
  • Lifecycle Methods require class components to use distinct methods including componentDidMount, componentDidUpdate and componentWillUnmount but useEffect combines all these functions into a single place.
  • The performance of Hooks works better than class components because they prevent redundant re-renders which occur from method binding functions.

Conclusion

The useEffect hook gives function components an effective mechanism to resolve side effects through its flexible structure. Beginners should learn how to use the hook properly so that they can develop more effective React applications by avoiding mistakes. The use of useEffect renders lifecycle methods obsolete because it provides users with a straightforward solution.

For newcomers to React who want to learn about useEffect hook should first perform experiments with the hook and study dependency management and cleanup logic. Your React applications will become more efficient together with easier maintenance when you incorporate this approach.

Visit Eversoft Creations for more programming related blogs.

Author

Related tags on EverSoft

Table of Contents

Read Some Blogs