React Build-in Hooks
React Build-in Hooks
Updated date: 2025-01-15
What is React Hooks
In React, a hook is a special function that lets you "hook into" React's features like state, lifecycle methods, and context in functional components. Hooks were introduced in React 16.8 and allow developers to use state and other React features without needing to write class components. You can either use the built-in Hooks or combine them to build your own.
Types of React Hooks
State Hook
useState
Manages state in a functional component.
import React, { useState } from "react";
const Counter = () => {
const [count, setCount] = useState(0);
return (
<div>
<p>Count: {count}</p>
<button onClick={() => setCount(count + 1)}>Increment</button>
</div>
);
};
useReducer
Manages complex state with a reducer function.
import React, { useReducer } from 'react';
const reducer = (state, action) => {
switch (action.type) {
case 'increment':
return { count: state.count + 1 };
case 'decrement':
return { count: state.count - 1 };
default:
return state;
}
};
const Counter = () => {
const [state, dispatch] = useReducer(reducer, { count: 0 });
return (
<div>
<p>Count: {state.count}</p>
<button onClick={() => dispatch({ type: 'increment' })}>Increment</button>
<button onClick={() => dispatch({ type: 'decrement' })}>Decrement</button>
</div>
);
};
Context Hooks
useContext
Accesses context values without manually passing props down the component tree.
import React, { useContext, createContext } from 'react';
const ThemeContext = createContext('light');
const ThemeButton = () => {
const theme = useContext(ThemeContext);
return <button>{theme === 'light' ? '🌞' : '🌜'}</button>;
};
const App = () => (
<ThemeContext.Provider value="dark">
<ThemeButton />
</ThemeContext.Provider>
);
Ref Hooks
useRef
Maintains a mutable reference to a DOM element or value that doesn’t trigger re-renders when changed. The usecases are as follows:
-
Accessing DOM Elements
import React, { useRef } from 'react'; function InputFocus() { const inputRef = useRef(null); const focusInput = () => { if (inputRef.current) { inputRef.current.focus(); } }; return ( <div> <input ref={inputRef} type="text" /> <button onClick={focusInput}>Focus Input</button> </div> ); }
-
Persisting State Between Renders
import React, { useRef, useState } from 'react'; function Timer() { const count = useRef(0); const [renderedCount, setRenderedCount] = useState(0); const increment = () => { count.current += 1; // Persistent but does not trigger a re-render console.log('Count:', count.current); }; const reRender = () => { setRenderedCount(renderedCount + 1); // Forcing a re-render }; return ( <div> <p>Rendered Count: {renderedCount}</p> <button onClick={increment}>Increment Count (Ref)</button> <button onClick={reRender}>Force Re-render</button> </div> ); }
-
Storing Previous Values
import React, { useEffect, useRef, useState } from 'react'; function PreviousValueExample() { const [value, setValue] = useState(''); const prevValue = useRef(''); useEffect(() => { prevValue.current = value; // Update ref with the previous value }, [value]); return ( <div> <input type="text" value={value} onChange={(e) => setValue(e.target.value)} /> <p>Current Value: {value}</p> <p>Previous Value: {prevValue.current}</p> </div> ); }
-
Avoiding Unnecessary Function Re-Creations
import React, { useCallback, useRef } from 'react'; function CallbackExample() { const callbackRef = useRef(() => console.log('Hello, useRef!')); const executeCallback = useCallback(() => { callbackRef.current(); }, []); return <button onClick={executeCallback}>Execute Callback</button>; }
-
Managing Mutable Variables in Async Tasks
import React, { useEffect, useRef } from 'react'; function TimerComponent() { const timerRef = useRef(null); useEffect(() => { timerRef.current = setInterval(() => { console.log('Timer is running'); }, 1000); return () => clearInterval(timerRef.current); // Cleanup on unmount }, []); return <div>Check the console for timer logs</div>; }
-
Integrating with Third-Party Libraries
import React, { useEffect, useRef } from 'react'; import Chart from 'chart.js'; function ChartComponent() { const chartRef = useRef(null); useEffect(() => { const ctx = chartRef.current.getContext('2d'); new Chart(ctx, { type: 'bar', data: { labels: ['Red', 'Blue', 'Yellow'], datasets: [ { label: '# of Votes', data: [12, 19, 3], backgroundColor: ['red', 'blue', 'yellow'], }, ], }, }); }, []); return <canvas ref={chartRef}></canvas>; }
useImperativeHandle
-
Controlling Child Component Behavior
import React, { useRef, useImperativeHandle, forwardRef } from 'react'; const CustomInput = forwardRef((props, ref) => { const inputRef = useRef(); useImperativeHandle(ref, () => ({ focus: () => { inputRef.current.focus(); }, clear: () => { inputRef.current.value = ''; }, })); return <input ref={inputRef} {...props} />; }); const Parent = () => { const customInputRef = useRef(); return ( <div> <CustomInput ref={customInputRef} /> <button onClick={() => customInputRef.current.focus()}>Focus Input</button> <button onClick={() => customInputRef.current.clear()}>Clear Input</button> </div> ); }; export default Parent;
-
Controlling Animations
import React, { useRef, useImperativeHandle, forwardRef } from 'react'; const AnimatedBox = forwardRef((props, ref) => { const boxRef = useRef(); useImperativeHandle(ref, () => ({ playAnimation: () => { boxRef.current.style.transform = 'translateX(100px)'; }, resetAnimation: () => { boxRef.current.style.transform = 'translateX(0)'; }, })); return <div ref={boxRef} style={{ width: 100, height: 100, background: 'blue' }} />; }); const Parent = () => { const animatedBoxRef = useRef(); return ( <div> <AnimatedBox ref={animatedBoxRef} /> <button onClick={() => animatedBoxRef.current.playAnimation()}>Play</button> <button onClick={() => animatedBoxRef.current.resetAnimation()}>Reset</button> </div> ); }; export default Parent;
-
Managing Form Validation
import React, { useImperativeHandle, forwardRef, useRef } from 'react'; const CustomForm = forwardRef((props, ref) => { const nameInputRef = useRef(); useImperativeHandle(ref, () => ({ validate: () => { if (!nameInputRef.current.value) { alert('Name is required'); return false; } return true; }, })); return ( <form> <label> Name: <input ref={nameInputRef} type="text" /> </label> </form> ); }); const Parent = () => { const formRef = useRef(); const handleSubmit = () => { if (formRef.current.validate()) { alert('Form submitted'); } }; return ( <div> <CustomForm ref={formRef} /> <button onClick={handleSubmit}>Submit</button> </div> ); }; export default Parent;
Effect Hooks
useEffect
The useEffect hook in React is used to manage side effects in functional components. Side effects include actions that affect something outside the component. For example, you might want to control a non-React component based on the React state, set up a server connection, or send an analytics log when a component appears on the screen. Effects let you run some code after rendering so that you can synchronize your component with some system outside of React.
-
Data Fetching
import React, { useState, useEffect } from 'react'; const FetchData = () => { const [data, setData] = useState(null); useEffect(() => { fetch('https://api.example.com/data') .then((response) => response.json()) .then((result) => setData(result)); }, []); // Empty dependency array: runs once when the component mounts return <div>{data ? JSON.stringify(data) : 'Loading...'}</div>; };
-
Subscribing to Events
import React, { useState, useEffect } from 'react'; const WindowSize = () => { const [width, setWidth] = useState(window.innerWidth); useEffect(() => { const handleResize = () => setWidth(window.innerWidth); window.addEventListener('resize', handleResize); return () => window.removeEventListener('resize', handleResize); // Cleanup }, []); // Empty dependency array: runs once return <div>Window width: {width}px</div>; };
useLayoutEffect
This hook fires before the browser repaints the screen. You can measure layout here. This makes it useful for operations where you need to measure the DOM, make immediate changes, or ensure consistency between rendered content and layout.
Here is the use cases
-
Measuring DOM Elements: If you need to measure a DOM element's size or position immediately after rendering, useLayoutEffect works
import React, { useState, useLayoutEffect, useRef } from 'react'; const MeasureElement = () => { const divRef = useRef(); const [size, setSize] = useState({ width: 0, height: 0 }); useLayoutEffect(() => { const { width, height } = divRef.current.getBoundingClientRect(); setSize({ width, height }); }, []); // Runs once after the initial render return ( <div> <div ref={divRef} style={{ width: 200, height: 100, background: 'lightblue' }}> Resize me! </div> <p>Width: {size.width}px, Height: {size.height}px</p> </div> ); }; export default MeasureElement;
-
Adjusting Layout Immediately You can adjust the layout or styles based on measurements or conditions without the user seeing any flicker.
import React, { useRef, useLayoutEffect } from 'react'; const AdjustLayout = () => { const boxRef = useRef(); useLayoutEffect(() => { const box = boxRef.current; const parentWidth = box.parentElement.offsetWidth; // Dynamically adjust width to match 50% of parent box.style.width = `${parentWidth / 2}px`; }, []); return <div ref={boxRef} style={{ height: 100, background: 'coral' }}>Resize parent to see effect</div>; }; export default AdjustLayout;
-
Avoiding Visual Flicker For animations or layout changes that depend on the initial DOM state, useLayoutEffect ensures everything is ready before the screen updates.
import React, { useState, useLayoutEffect } from 'react'; const PreventFlicker = () => { const [color, setColor] = useState('blue'); useLayoutEffect(() => { if (color === 'red') { document.body.style.backgroundColor = 'red'; } else { document.body.style.backgroundColor = 'white'; } }, [color]); return ( <button onClick={() => setColor(color === 'blue' ? 'red' : 'blue')}> Toggle Background </button> ); }; export default PreventFlicker;
-
Integration with Third-Party Libraries For libraries like D3.js, GSAP, or any library that manipulates the DOM directly, useLayoutEffect ensures the DOM is ready before applying any modifications.
import React, { useLayoutEffect, useRef } from 'react'; import * as d3 from 'd3'; const D3Chart = () => { const svgRef = useRef(); useLayoutEffect(() => { const svg = d3.select(svgRef.current); svg.append('circle') .attr('cx', 50) .attr('cy', 50) .attr('r', 40) .attr('fill', 'green'); }, []); return <svg ref={svgRef} width={100} height={100} />; }; export default D3Chart;
-
Synchronized Updates When coordinating updates between DOM elements or ensuring consistency in layout-dependent updates, useLayoutEffect can help.
import React, { useState, useRef, useLayoutEffect } from 'react'; const SyncScroll = () => { const box1Ref = useRef(); const box2Ref = useRef(); useLayoutEffect(() => { const handleScroll = () => { box2Ref.current.scrollTop = box1Ref.current.scrollTop; }; box1Ref.current.addEventListener('scroll', handleScroll); return () => box1Ref.current.removeEventListener('scroll', handleScroll); // Cleanup }, []); return ( <div style={{ display: 'flex' }}> <div ref={box1Ref} style={{ overflowY: 'scroll', height: 100, width: 100, border: '1px solid black' }} > <div style={{ height: 300 }}>Box 1 Content</div> </div> <div ref={box2Ref} style={{ overflowY: 'scroll', height: 100, width: 100, border: '1px solid black' }} > <div style={{ height: 300 }}>Box 2 Content</div> </div> </div> ); }; export default SyncScroll;
useInsertionEffect
The useInsertionEffect hook in React is a specialized hook introduced in React 18. It is used to insert styles or other resources synchronously into the DOM before any DOM mutations are made. This ensures that styles are applied immediately, avoiding layout inconsistencies or visual flickering
- Specifically designed for libraries like CSS-in-JS (e.g., Emotion, styled-components) that dynamically insert styles into the DOM.
- Ensures styles are available before React starts rendering DOM updates.
Performance Hooks
useMemo
Memoizes a computed value to optimize performance by avoiding expensive recalculations.
import React, { useState, useMemo } from 'react';
const ExpensiveCalculation = ({ count }) => {
console.log('Calculating...');
return count * 2;
};
const App = () => {
const [count, setCount] = useState(0);
const memoizedValue = useMemo(() => ExpensiveCalculation({ count }), [count]);
return (
<div>
<p>Result: {memoizedValue}</p>
<button onClick={() => setCount(count + 1)}>Increment</button>
</div>
);
};
useCallback
Memoizes a callback function to prevent unnecessary re-creations.
import React, { useState, useCallback } from 'react';
const Child = React.memo(({ onClick }) => {
console.log('Rendering Child');
return <button onClick={onClick}>Click Me</button>;
});
const Parent = () => {
const [count, setCount] = useState(0);
const handleClick = useCallback(() => setCount((c) => c + 1), []);
return (
<div>
<p>Count: {count}</p>
<Child onClick={handleClick} />
</div>
);
};
useTransition
This hook lets you mark a state transition as non-blocking and allow other updates to interrupt it.
The use cases are as follows
-
Filtering Large Lists For operations like filtering or sorting large datasets, useTransition ensures the UI remains responsive while the expensive operation is processed.
import React, { useState, useTransition } from 'react'; const LargeList = ({ items }) => { const [filter, setFilter] = useState(''); const [filteredItems, setFilteredItems] = useState(items); const [isPending, startTransition] = useTransition(); const handleFilterChange = (e) => { const value = e.target.value; setFilter(value); startTransition(() => { const filtered = items.filter((item) => item.includes(value)); setFilteredItems(filtered); }); }; return ( <div> <input type="text" value={filter} onChange={handleFilterChange} placeholder="Filter items" /> {isPending && <p>Loading...</p>} <ul> {filteredItems.map((item, index) => ( <li key={index}>{item}</li> ))} </ul> </div> ); };
-
Navigation Between Views When switching between views in a single-page application (SPA), useTransition can ensure that the UI remains responsive during the transition.
import React, { useState, useTransition } from 'react'; const Views = () => { const [currentView, setCurrentView] = useState('Home'); const [isPending, startTransition] = useTransition(); const navigate = (view) => { startTransition(() => setCurrentView(view)); }; return ( <div> <nav> <button onClick={() => navigate('Home')}>Home</button> <button onClick={() => navigate('About')}>About</button> <button onClick={() => navigate('Contact')}>Contact</button> </nav> {isPending && <p>Loading...</p>} <div> {currentView === 'Home' && <h1>Welcome to Home</h1>} {currentView === 'About' && <h1>About Us</h1>} {currentView === 'Contact' && <h1>Contact Us</h1>} </div> </div> ); };
-
Animating Expensive UI Updates When rendering components with heavy animations or visual updates, useTransition ensures the animations don't block user input.
-
Complex State Updates In cases where multiple dependent state updates are required, useTransition can handle the non-urgent updates while keeping the urgent ones responsive.
import React, { useState, useTransition } from 'react'; const ExpensiveComponent = () => { const [count, setCount] = useState(0); const [expensiveCount, setExpensiveCount] = useState(0); const [isPending, startTransition] = useTransition(); const increment = () => { setCount((prev) => prev + 1); startTransition(() => { setExpensiveCount((prev) => prev + 1); }); }; return ( <div> <p>Fast Count: {count}</p> <p>Expensive Count: {expensiveCount}</p> {isPending && <p>Updating expensive count...</p>} <button onClick={increment}>Increment</button> </div> ); };
useDeferredValue
This hook lets you defer updating a non-critical part of the UI and let other parts update first.
The difference between useDeferredValue and useTransition is as follows
Scenario | useDeferredValue | useTransition |
---|---|---|
Filtering Large Lists | Use when the filtering depends on a single value. | Use when the filtering involves multiple state changes or expensive updates. |
Navigating Between Views | Not suitable. | Best choice for deferring navigation state updates. |
Autocomplete Search | Use for deferring the search input value. | Use for managing broader transitions, like updating suggestions and UI. |
Rendering Expensive Components | Use to defer updates to specific props or values. | Use to defer the entire state update that triggers rendering. |
Other Hooks
useDebugValue
The useDebugValue hook in React is primarily a developer tool designed to improve debugging for custom hooks. It allows you to display custom labels or values in React DevTools, providing insight into what’s happening inside a custom hook.
import React, { useState, useDebugValue } from 'react';
const useCounter = (initialValue = 0) => {
const [count, setCount] = useState(initialValue);
// Add a debug label for this hook
useDebugValue(count > 10 ? 'High Count' : 'Low Count');
return [count, setCount];
};
const Counter = () => {
const [count, setCount] = useCounter();
return (
<div>
<p>Count: {count}</p>
<button onClick={() => setCount((prev) => prev + 1)}>Increment</button>
</div>
);
};
export default Counter;
useId
The useId hook in React is used to generate unique IDs that are consistent across server-side rendering (SSR) and client-side rendering (CSR). It ensures that elements requiring unique identifiers (e.g., form inputs, labels, or ARIA attributes) do not cause mismatches or duplication between SSR and CSR. Typically used with accessibility APIs.
import React, { useId } from 'react';
const FormField = () => {
const id = useId();
return (
<div>
<label htmlFor={id}>Name:</label>
<input id={id} type="text" />
</div>
);
};
export default FormField;
useSyncExternalStore
The useSyncExternalStore hook in React is a low-level utility introduced in React 18 to subscribe to external stores and manage their state within a React component. It ensures consistent updates and prevents mismatches between server-side rendering (SSR) and client-side rendering (CSR).
This hook is particularly useful for integrating with state management libraries like Redux, Zustand, or any custom external store that isn't directly tied to React's state system.
useActionState
This hook allows you to manage state of actions.