13. What rules should be followed while using hooks in React?
hard

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:


Rule 1: Only Call Hooks at the Top Level

  • Avoid nested hooks: Never call Hooks from inside loops, conditional statements, or other nested functions.
  • Use them only in functional components: Hooks should be called directly within a functional component.

Example of Incorrect Usage:

function MyComponent() {
  // ❌ Avoid this pattern!
  if (someCondition) {
    return <div>Some content</div>;
  } else {
    const [count, setCount] = useState(0); // ❌ Hook called inside a conditional statement
  }
}

Rule 2: Don't Call Hooks from Regular Functions

  • Hooks are meant for functional components: Regular functions can't call Hooks; use them in functional component bodies.

Example of Incorrect Usage:

function someFunction() {
  // ❌ This is wrong! Use it in a functional component instead.
  const [count, setCount] = useState(0); // ❌ Hook called from a regular function
}

Rule 3: Only Call Hooks at the Top Level

  • Avoid nested hooks: Never call Hooks from inside loops, conditional statements, or other nested functions.

Example of Correct Usage:

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>
  );
}

Rule 4: Be Mindful of Dependency Arrays in useEffect

  • Specify dependencies correctly: When using useEffect, make sure to provide an array of dependencies for the effect.

Example of Correct Usage:

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.

  // ...
}

Rule 5: Avoid Mutating State Directly

  • Use state update functions: When updating state, use the provided setState function instead of modifying the state variable directly.

Example of Correct Usage:

function MyComponent() {
  const [count, setCount] = useState(0);

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

Conclusion

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.