React Hooks
React Hooks were introduced in React 16.8 as a way to use state and other React features without writing a class. They enable functional components to have capabilities previously only available in class components.
Introduction to Hooks
Hooks are functions that let you “hook into” React state and lifecycle features from function components. They don’t work inside classes — they let you use React without classes.
Why Hooks?
- Reuse stateful logic between components without complex patterns like render props or higher-order components
- Split complex components into smaller functions based on related pieces (such as setting up a subscription or fetching data)
- Use more of React’s features without classes - avoiding issues with
this
, binding event handlers, and making hot reloading more reliable
Basic Hooks
useState
The useState
hook lets you add React state to functional components:
1 | import React, { useState } from 'react'; |
Array Destructuring
1 | // This is equivalent to: |
Multiple State Variables
1 | function UserForm() { |
Functional Updates
When the new state depends on the previous state, pass a function to the state setter:
1 | function Counter() { |
Lazy Initial State
If the initial state is expensive to compute, you can provide a function which will be executed only on the initial render:
1 | const [state, setState] = useState(() => { |
useEffect
The useEffect
hook lets you perform side effects in functional components. It serves the same purpose as componentDidMount
, componentDidUpdate
, and componentWillUnmount
in React classes.
1 | import React, { useState, useEffect } from 'react'; |
Effect with Cleanup
Some effects need cleanup, like subscriptions or timers:
1 | useEffect(() => { |
Controlling When Effects Run
You can control when effects run by providing a dependency array as the second argument:
1 | // Only runs on mount and unmount (empty dependencies) |
Multiple Effects
You can use multiple useEffect
calls in the same component to separate concerns:
1 | function UserProfile({ userId }) { |
useContext
The useContext
hook lets you subscribe to React context without introducing nesting:
1 | import React, { useContext } from 'react'; |
Additional Hooks
useReducer
useReducer
is usually preferable to useState
when you have complex state logic that involves multiple sub-values or when the next state depends on the previous one:
1 | import React, { useReducer } from 'react'; |
Lazy Initialization
1 | // The initialArg (second argument) is passed to the init function (third argument) |
When to Use
- Complex state transitions
- Multiple sub-values in state
- When the next state depends on the previous one
- When your state logic is complex enough to be extracted outside the component
useCallback
useCallback
returns a memoized version of the callback that only changes if one of the dependencies has changed:
1 | import React, { useState, useCallback } from 'react'; |
useMemo
useMemo
returns a memoized value that only recalculates when one of its dependencies changes:
1 | import React, { useMemo, useState } from 'react'; |
When to Use
- Complex computations that might slow down rendering
- Values used in multiple places in the render
- Values used in the dependency arrays of other hooks
- Preventing unnecessary renders of child components
useRef
useRef
returns a mutable ref object whose .current
property is initialized to the passed argument. The object persists for the full lifetime of the component:
1 | import React, { useRef, useEffect } from 'react'; |
UseRef for Variables
useRef
can be used for more than just DOM refs. It’s useful for keeping any mutable value around without causing a re-render when it changes:
1 | function TimerExample() { |
useImperativeHandle
useImperativeHandle
customizes the instance value that is exposed when using ref
with forwardRef
:
1 | import React, { useRef, useImperativeHandle, forwardRef } from 'react'; |
useLayoutEffect
useLayoutEffect
is identical to useEffect
, but it fires synchronously after all DOM mutations. Use it to read layout from the DOM and synchronously re-render:
1 | function Tooltip({ text, position }) { |
useEffect vs useLayoutEffect
useEffect
runs asynchronously after render is painted to the screenuseLayoutEffect
runs synchronously after DOM mutations but before the browser paints- Use
useLayoutEffect
for DOM measurements and mutations that should be visible immediately
useDebugValue
useDebugValue
can be used to display a label for custom hooks in React DevTools:
1 | import React, { useState, useDebugValue } from 'react'; |
Custom Hooks
Custom Hooks let you extract component logic into reusable functions. A custom Hook is a JavaScript function whose name starts with “use” and that may call other Hooks:
1 | import { useState, useEffect } from 'react'; |
Common Custom Hooks
useFetch - For Data Fetching
1 | function useFetch(url) { |
useLocalStorage - For Persistent State
1 | function useLocalStorage(key, initialValue) { |
useForm - For Form Handling
1 | function useForm(initialValues = {}) { |
Rules of Hooks
There are two essential rules to follow when using Hooks:
Only Call Hooks at the Top Level
Don’t call Hooks inside loops, conditions, or nested functions. Always use Hooks at the top level of your React function.
❌ Incorrect:
1 | function Bad() { |
✅ Correct:
1 | function Good() { |
Only Call Hooks from React Functions
Don’t call Hooks from regular JavaScript functions. You can:
- Call Hooks from React function components
- Call Hooks from custom Hooks
❌ Incorrect:
1 | // This is not a React component or a custom Hook |
✅ Correct:
1 | // This is a React function component |
Advanced Patterns with Hooks
State Reducer Pattern
Combine useReducer
with custom logic to create reusable components with customizable state management:
1 | // The base useCounter hook with reducer |
Compound Components Pattern
Use React context to create related components that share state:
1 | import React, { useState, useContext, createContext } from 'react'; |
Hooks Composition
Compose multiple hooks together for complex functionality:
1 | // Combine multiple hooks into one custom hook |
Performance Optimization
When to Memoize
- Use
React.memo
for components that render often with the same props - Use
useCallback
for event handlers passed to optimized child components - Use
useMemo
for expensive calculations used in rendering
1 | import React, { useState, useCallback, useMemo } from 'react'; |
Avoiding Common Performance Mistakes
- Creating Functions in Render: Each render creates new function instances
1 | // Bad: Function recreated on every render |
- Creating Objects in Render: Similar to functions, new objects cause unnecessary renders
1 | // Bad: New object created on every render |
- Not Adding Dependencies to useEffect: Can lead to stale closures
1 | // Bad: Missing dependency |
Testing Hooks
Basic Testing with React Testing Library
1 | // useCounter.js |
Testing Components that Use Hooks
1 | // Counter.js |
Learning Resources
- React Hooks Documentation - Official docs
- Thinking in React Hooks - Visual guide to hooks
- useHooks - Collection of custom hooks
- React Hooks Cheatsheet - Quick reference
- Epic React - Kent C. Dodds’ courses on React
- Making Sense of React Hooks - Dan Abramov’s explanation
- A Complete Guide to useEffect - Deep dive on useEffect