React Hooks provide a way to reuse stateful logic between components without changing the component hierarchy. To use Hooks correctly and avoid common pitfalls, follow these key rules:
function MyComponent() {
// ❌ Avoid this pattern!
if (someCondition) {
return <div>Some content</div>;
} else {
const [count, setCount] = useState(0); // ❌ Hook called inside a conditional statement
}
}
function someFunction() {
// ❌ This is wrong! Use it in a functional component instead.
const [count, setCount] = useState(0); // ❌ Hook called from a regular function
}
function MyComponent() {
const [count, setCount] = useState(0); // ✅ Hook called at the top level
return (
<div>
<p>Count: {count}</p>
<button onClick={() => setCount(count + 1)}>Increment Count</button>
</div>
);
}
useEffect
, make sure to provide an array of dependencies for the effect.import { useState, useEffect } from 'react';
function MyComponent() {
const [data, setData] = useState(null);
const [error, setError] = useState(null);
useEffect(() => {
// ✅ Specify a dependency array with a function or a variable that changes.
const fetchData = async () => {
try {
const response = await fetch('/api/data');
setData(await response.json());
} catch (error) {
setError(error.message);
}
};
fetchData();
}, [fetchData]); // ✅ Update the dependency array if the effect depends on it.
// ...
}
setState
function instead of modifying the state variable directly.function MyComponent() {
const [count, setCount] = useState(0);
return (
<div>
<p>Count: {count}</p>
<button onClick={() => setCount(count + 1)}>Increment Count</button>
</div>
);
}
Using Hooks correctly is crucial for building robust and efficient React applications. By adhering to the rules outlined above and using them wisely, you'll be able to create more scalable and effective codebases.