The useEffect hook is a fundamental React hook that enables functional components to perform side effects. It replaces lifecycle methods like componentDidMount, componentDidUpdate, and componentWillUnmount from class components.
This guide covers:
useEffect
is and what side effects areuseEffect
The useEffect
hook lets you synchronize a component with external systems or perform actions that aren't directly tied to rendering. In other words, it lets your component interact with the outside world and perform operations beyond just calculating and returning JSX.
A side effect is any operation that reaches outside the current function and interacts with the external world. Side effects include:
setTimeout
or setInterval
)Side effects should be kept separate from rendering logic because they can:
In simple terms: A side effect is anything your component does besides returning JSX. If your component needs to "talk" to the outside world or do something after rendering, that's a side effect.
📖 Read more: Synchronizing with Effects
Use useEffect
when your component needs to handle side effects at specific moments in its lifecycle.
Run code once after the component is added to the DOM (appears on the screen for the first time):
useEffect(() => {
// This code runs after the component appears on screen
console.log('Component is now visible on the page');
document.title = 'My App - Home Page';
// Fetch initial data
fetch('https://api.example.com/data')
.then(res => res.json())
.then(data => console.log(data));
}, []); // Empty array = run once on mount
Code walkthrough:
useEffect
[]
as the second argument tells React to only run this effect once when the component first appearsReal-world example: You'd use this pattern when you need to fetch a user's profile data as soon as their profile page loads.
Run code whenever specific values (dependencies) change:
useEffect(() => {
// This runs whenever userId changes
console.log('userId changed to:', userId);
// Update document title with user name
document.title = `User: ${userId}`;
// Fetch user data based on userId
fetch(`https://api.example.com/users/${userId}`)
.then(res => res.json())
.then(data => setUserData(data));
}, [userId]); // Dependency array with userId - effect runs when userId changes
Code walkthrough:
userId
valueuseEffect
userId
changes (e.g., from "123" to "456"), React runs the effect again[userId]
is the "dependency array" - it tells React what values to watch for changesReal-world example: This pattern is perfect for a social media profile page where you need to load different user data when the URL or selected profile changes.
Run cleanup code before the component unmounts (is removed from the screen) or before the effect runs again:
useEffect(() => {
// Setup phase - runs after component mounts
console.log('Setting up subscription');
const timer = setInterval(() => {
console.log('Checking for new messages...');
}, 10000); // Check every 10 seconds
// Cleanup phase - runs before unmount or before next effect run
return () => {
console.log('Cleaning up subscription');
clearInterval(timer); // Stop the interval
};
}, []); // Empty array = cleanup runs on unmount
Code walkthrough:
useEffect
Real-world example: This pattern is essential for chat applications where you need to set up a message subscription when the chat opens and clean it up when the chat closes.
🎬 Watch: React useEffect Hook Explained
useEffect(() => {
// Side effect code here (runs after render)
console.log('Effect ran');
// Optional cleanup function (runs before next effect or unmount)
return () => {
console.log('Cleanup ran');
};
}, [dependency1, dependency2]); // Dependency array controls when effect runs
The useEffect
hook takes two arguments:
The dependency array is a list of values that your effect depends on. Think of it as telling React, "Only run this effect when these specific values change."
There are three ways to use the dependency array:
// 1. No dependency array: Effect runs after EVERY render
useEffect(() => {
console.log('This runs after every render');
});
// 2. Empty array []: Effect runs ONLY ONCE after the first render (mount)
useEffect(() => {
console.log('This runs only once when the component appears');
return () => {
console.log('This cleanup runs only once when the component disappears');
};
}, []);
// 3. Array with values [a, b]: Effect runs on mount AND when any value in the array changes
useEffect(() => {
console.log('This runs when count changes:', count);
}, [count]);
Walkthrough of dependency array behavior:
Let's look at an example with a counter component:
function Counter() {
const [count, setCount] = useState(0);
const [name, setName] = useState('Guest');
// Effect 1: Runs on every render
useEffect(() => {
console.log('Effect 1: Component rendered');
});
// Effect 2: Runs only on mount
useEffect(() => {
console.log('Effect 2: Component mounted');
}, []);
// Effect 3: Runs when count changes
useEffect(() => {
console.log('Effect 3: Count changed to', count);
}, [count]);
return (
<div>
<p>Hello, {name}. You clicked {count} times.</p>
<button onClick={() => setCount(count + 1)}>Increment</button>
<button onClick={() => setName('User')}>Change Name</button>
</div>
);
}
What happens when this component runs:
When the component first appears (mounts):
When you click "Increment" (changing count):
When you click "Change Name" (changing name):
In simple terms: The dependency array is like a list of "triggers" for your effect. When any of those triggers change, the effect runs again.
📖 Read more: useEffect Reference
The dependency array is an optional second argument to useEffect
that lists variables the effect depends on. It controls when the effect (and its cleanup) runs.
function UserProfile({ userId, theme }) {
const [user, setUser] = useState(null);
// This effect depends on userId
useEffect(() => {
console.log('Fetching user data for ID:', userId);
fetch(`https://api.example.com/users/${userId}`)
.then(res => res.json())
.then(data => setUser(data));
}, [userId]); // Only re-run when userId changes, not when theme changes
return (
<div className={theme}>
{user ? <h1>{user.name}</h1> : <p>Loading...</p>}
</div>
);
}
In this example:
[userId]
tells React to run this effect:
userId
changestheme
changesReal-world analogy: Think of the dependency array like a notification system. You're telling React: "Notify this effect when any of these values change, otherwise leave it alone."
📖 Read more: How the Dependency Array Works
Forgetting to include dependencies or updating a dependency inside the effect can cause infinite re-renders.
// ❌ BAD: Creates an infinite loop!
function BadComponent() {
const [data, setData] = useState(null);
useEffect(() => {
// This fetches data and updates state...
fetch('https://api.example.com/data')
.then(res => res.json())
.then(result => setData(result));
// ...which triggers a re-render...
// ...which runs this effect again...
// ...creating an infinite loop!
}); // Missing dependency array
}
// ✅ GOOD: Empty dependency array prevents infinite loops
function GoodComponent() {
const [data, setData] = useState(null);
useEffect(() => {
fetch('https://api.example.com/data')
.then(res => res.json())
.then(result => setData(result));
}, []); // Empty array means "run only once on mount"
}
Why this happens: Without a dependency array, the effect runs after every render. If the effect updates state with setData
, it triggers another render, which runs the effect again, creating an infinite loop.
How to fix it: Add a dependency array ([]
for run-once effects, or include specific dependencies if the effect should re-run when certain values change).
Fix: Use linting tools like ESLint with the react-hooks/exhaustive-deps
rule to catch missing dependencies.
📖 Read more: Avoiding Infinite Loops
Not cleaning up subscriptions or intervals can lead to memory leaks.
// ❌ BAD: No cleanup for timer
function BadTimer() {
useEffect(() => {
// This interval keeps running even after the component is gone
const id = setInterval(() => console.log('Tick'), 1000);
}, []);
return <p>Timer component</p>;
}
// ✅ GOOD: Proper cleanup
function GoodTimer() {
useEffect(() => {
// Set up interval
const id = setInterval(() => console.log('Tick'), 1000);
// Clean up interval when component unmounts
return () => {
console.log('Cleaning up timer');
clearInterval(id);
};
}, []);
return <p>Timer component</p>;
}
Code walkthrough:
Bad example:
Good example:
Real-world example: This pattern is crucial for any feature that needs to run continuously, like a live-updating clock, animation, or data polling system.
Avoid using useEffect
for logic that could be handled in event handlers or render logic.
// ❌ Overcomplicated: Using effect for a simple initialization
function BadRandomComponent() {
const [value, setValue] = useState(0);
// Unnecessary use of useEffect just to set an initial random value
useEffect(() => {
setValue(Math.random());
}, []);
return <div>Random value: {value}</div>;
}
// ✅ Simpler: Use initial state directly
function GoodRandomComponent() {
// Initialize state directly with the random value
const [value] = useState(Math.random());
return <div>Random value: {value}</div>;
}
Code walkthrough:
Bad example:
Good example:
When to avoid useEffect:
📖 Read more: You Might Not Need an Effect
This component updates the browser tab title based on a count:
function DocumentTitleUpdater() {
const [count, setCount] = useState(0);
// Update document title whenever count changes
useEffect(() => {
document.title = `You clicked ${count} times`;
console.log('Title updated to:', document.title);
}, [count]); // Re-run when count changes
return (
<div>
<p>You clicked {count} times</p>
<button onClick={() => setCount(count + 1)}>Click me</button>
</div>
);
}
Code walkthrough:
count
increases by 1useEffect
sees that count
changed and runs again[count]
ensures the effect runs whenever count
changesReal-world use case: This pattern is useful for notifications, where you might update the tab title to show "(3) New Messages" when unread messages arrive.
This component fetches data when it mounts and cleans up properly:
function UserData({ userId }) {
const [user, setUser] = useState(null);
const [loading, setLoading] = useState(true);
useEffect(() => {
// Flag to track if component is mounted
let isMounted = true;
// Show loading state
setLoading(true);
// Fetch user data
fetch(`https://api.example.com/users/${userId}`)
.then(res => res.json())
.then(data => {
// Only update state if component is still mounted
if (isMounted) {
setUser(data);
setLoading(false);
}
})
.catch(error => {
// Handle errors only if still mounted
if (isMounted) {
console.error('Fetch error:', error);
setLoading(false);
}
});
// Cleanup function runs when component unmounts
// or before the effect runs again
return () => {
console.log('Cleaning up fetch for userId:', userId);
isMounted = false; // Prevent state updates after unmount
};
}, [userId]); // Re-run when userId changes
if (loading) return <p>Loading user data...</p>;
return user ? <div>User: {user.name}</div> : <p>No user found</p>;
}
Code walkthrough:
userId
prop and has state for the user data and loading statususerId
changes, the effect runsloading
to true and starts fetching dataisMounted
flag to track if the component is still mountedisMounted
to false if the component unmountsReal-world use case: This pattern is essential for any component that fetches data, especially when users might navigate away before the data arrives. It's common in search features, profile pages, and dashboards.