What are React Hooks ??

Deepak ModiDeepak Modi
4 min read

React Hooks allow you to use state and lifecycle features in functional components without writing class components. Introduced in React 16.8, Hooks make React development more efficient and readable.

Let’s break down the most important Hooks and how to use them! πŸ‘‡


πŸ”Ή 1. useState – Managing State

πŸ“Œ useState lets you add state inside a functional component.

Example: Counter App

import { useState } from "react";

export default function Counter() {
  const [count, setCount] = useState(0);

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

πŸ”Ή How it works?

  • count β†’ Holds the state value

  • setCount β†’ Updates the state

  • useState(0) β†’ Initializes count to 0


πŸ”Ή 2. useEffect – Side Effects in Components

πŸ“Œ useEffect runs after the component renders. It's used for fetching data, updating the DOM, or setting up event listeners.

Example: Fetching Data

import { useState, useEffect } from "react";

export default function Users() {
  const [users, setUsers] = useState([]);

  useEffect(() => {
    fetch("https://jsonplaceholder.typicode.com/users")
      .then((res) => res.json())
      .then((data) => setUsers(data));
  }, []); // Empty array means it runs only on mount

  return (
    <ul>
      {users.map((user) => (
        <li key={user.id}>{user.name}</li>
      ))}
    </ul>
  );
}

πŸ”Ή How it works?

  • Runs once when the component mounts (because of [])

  • Calls API and updates users state

Variants of useEffect:

  • useEffect(() => { ... }) β†’ Runs on every render

  • useEffect(() => { ... }, []) β†’ Runs only once (on mount)

  • useEffect(() => { ... }, [count]) β†’ Runs when count changes


πŸ”Ή 3. useRef – Accessing DOM Elements & Preserving Values

πŸ“Œ useRef is used for getting a reference to a DOM element or storing values without causing re-renders.

Example: Focusing an Input

import { useRef, useEffect } from "react";

export default function FocusInput() {
  const inputRef = useRef(null);

  useEffect(() => {
    inputRef.current.focus(); // Auto-focus input field on mount
  }, []);

  return <input ref={inputRef} type="text" placeholder="Type here..." />;
}

πŸ”Ή How it works?

  • useRef(null) β†’ Creates a mutable reference

  • inputRef.current β†’ Directly accesses the input


πŸ”Ή 4. useCallback – Optimizing Functions

πŸ“Œ useCallback memoizes functions so they don’t get re-created on every render, improving performance.

Example: Avoid Unnecessary Re-renders

import { useState, useCallback } from "react";

export default function Counter() {
  const [count, setCount] = useState(0);

  const increment = useCallback(() => {
    setCount((prev) => prev + 1);
  }, []);

  return (
    <div>
      <h1>{count}</h1>
      <button onClick={increment}>Increment</button>
    </div>
  );
}

πŸ”Ή Why use useCallback?

  • Prevents increment from recreating on each render

  • Improves performance in child components


πŸ”Ή 5. useMemo – Optimizing Expensive Calculations

πŸ“Œ useMemo caches a computed value so it doesn’t re-calculate unnecessarily.

Example: Expensive Calculation

import { useState, useMemo } from "react";

export default function ExpensiveCalculation() {
  const [number, setNumber] = useState(0);

  const squared = useMemo(() => {
    console.log("Calculating square...");
    return number * number;
  }, [number]);

  return (
    <div>
      <h1>Square: {squared}</h1>
      <button onClick={() => setNumber((prev) => prev + 1)}>Increase</button>
    </div>
  );
}

πŸ”Ή How it works?

  • Only re-computes when number changes

  • Avoids unnecessary calculations


πŸ”Ή 6. useContext – Global State Management

πŸ“Œ useContext helps share global state without prop drilling.

Example: Theme Context

import { createContext, useContext } from "react";

const ThemeContext = createContext("light");

export function ThemeProvider({ children }) {
  return <ThemeContext.Provider value="dark">{children}</ThemeContext.Provider>;
}

export function ThemedComponent() {
  const theme = useContext(ThemeContext);
  return <h1>Current Theme: {theme}</h1>;
}

πŸ”Ή Why use useContext?

  • Avoids prop drilling

  • Shares state across multiple components


πŸ“Œ Other Useful Hooks

  • useReducer β†’ Like useState, but for complex state logic

  • useImperativeHandle β†’ Exposes methods from a child component

  • useLayoutEffect β†’ Like useEffect, but runs before the screen updates


🎯 Final Thoughts

Hooks simplify React development by making functional components more powerful. Mastering them will help you write cleaner, reusable, and optimized React apps!

πŸ’‘ Now, go build something amazing with React Hooks! πŸš€


Got questions? Drop them below! ⬇️ Happy coding! πŸŽ‰

0
Subscribe to my newsletter

Read articles from Deepak Modi directly inside your inbox. Subscribe to the newsletter, and don't miss out.

Written by

Deepak Modi
Deepak Modi

Hey! I'm Deepak, a Full-Stack Developer passionate about web development, DSA, and building innovative projects. I share my learnings through blogs and tutorials.