The useState hook is one of React's core hooks that enables state management in functional components. State allows your components to "remember" data between renders and respond to user interactions. This is important because React components are often rendered multiple times, and state allows them to persist information between those renders.
This guide covers:
useState
worksuseState
effectivelyState represents data that changes over time in your application. Unlike props (which are passed from parent components), state is managed within the component itself. In simpler terms, state is like the "memory" of a component that helps it keep track of things like user input or data fetched from an API.
For example, consider a form that tracks whether a user has typed something in a field. The component will "remember" what the user typed using state.
State is crucial for:
π Read more: Thinking in React - Identify State
The useState
hook is a function that:
In simple terms, the useState
hook helps you set and modify the "memory" (state) of your component and ensures it gets updated when necessary.
The useState
hook is used to create a state variable with an initial value. It returns an array containing the state variable and a function to update it. Hereβs the basic syntax:
const [state, setState] = useState(initialValue);
π‘ Note: The
state
andsetState
names are just examples. You can name them however you like, but it's a common convention to use<variableName>
forstate
and"set" + VariableName
forsetState
. For example, if you're tracking a user's name, you might name the statename
and the update functionsetName
. See With Different Data Types for examples.
initialValue
: The value when the component first renders. This could be 0
, false
, ""
(empty string), or any other initial value depending on what you need.state
: The current state value. This is where the component "remembers" the data.setState
: The function you use to update the state
value.π¬ Watch: React useState Hook in 15 Minutes
You should use useState
when:
Hereβs an example of how to use useState
to create a simple counter:
function Counter() {
// β
Good use of useState - local counter state
const [count, setCount] = useState(0);
return (
<div>
<p>Count: {count}</p>
<button onClick={() => setCount(count + 1)}>Increment</button>
</div>
);
}
Walkthrough:
useState(0)
: Initializes the state variable count
to 0
when the component is first rendered.setCount(count + 1)
: Updates the count
state whenever the button is clicked, causing the component to re-render and display the updated count.import React, { useState } from 'react';
function Example() {
const [count, setCount] = useState(0);
return (
<div>
<p>Count: {count}</p>
</div>
);
}
You can use useState
to store various types of data:
// Number
const [count, setCount] = useState(0);
// String
const [name, setName] = useState('');
// Boolean
const [isActive, setIsActive] = useState(false);
// Array
const [items, setItems] = useState([]);
// Object
const [user, setUser] = useState({ name: '', age: 0 });
// null
const [selectedItem, setSelectedItem] = useState(null);
Walkthrough:
useState
hook creates a state variable that holds a value of a specific type (e.g., count
is a number, name
is a string).setCount
, setName
, etc.).If your initial state requires expensive computation, use a function inside useState
to ensure it only runs once during the first render:
// β Bad: This runs on every render
const [items, setItems] = useState(calculateExpensiveInitialState());
// β
Good: This runs only on first render
const [items, setItems] = useState(() => calculateExpensiveInitialState());
This ensures that calculateExpensiveInitialState()
only runs once, even if the component re-renders multiple times.
π Read more: Avoiding recreating the initial state
For simple values like numbers, strings, and booleans:
const [count, setCount] = useState(0);
// Update to specific value
function resetCount() {
setCount(0);
}
// Update based on current value
function increment() {
setCount(count + 1);
}
Walkthrough:
resetCount
sets the count
state back to 0
directly.increment
updates the count
state by adding 1
to the current value.When the new state depends on the previous state, use the functional form of setState
to make sure youβre using the most up-to-date state:
// β May lead to outdated state in some scenarios
function increment() {
setCount(count + 1);
}
// β
Always uses latest state
function increment() {
setCount(prevCount => prevCount + 1);
}
Explanation:
prevCount => prevCount + 1
) ensures that the new state is calculated based on the most recent value of count
.π Read more: Updating state based on the previous state
React state updates do not merge objects automatically, so if youβre updating an object in state, you must ensure that you preserve the existing properties:
const [user, setUser] = useState({ name: 'John', age: 25 });
// β Bad: Will remove the age property
function updateName(newName) {
setUser({ name: newName });
}
// β
Good: Preserves other properties
function updateName(newName) {
setUser(prevUser => ({ ...prevUser, name: newName }));
}
Explanation:
...prevUser
spreads the previous user object into the new one, ensuring that properties like age
are preserved.When updating arrays in state, make sure to avoid directly mutating the existing array. Instead, use array methods that return a new array.
const [items, setItems] = useState([1, 2, 3]);
// β
Add item
setItems([...items, 4]);
// β
Remove item
setItems(items.filter(item => item !== 2));
// β
Update item
setItems(items.map(item => item === 2 ? 20 : item));
Explanation:
...items
creates a new array by spreading the old one and adding the new item (4
).filter
creates a new array excluding the item 2
.map
updates 2
to 20
without changing the original array.π Read more: Updating Arrays in State
// β Bad: Mutating state directly won't trigger re-renders
function addTodo(newTodo) {
todos.push(newTodo); // This won't work!
}
// β
Good: Create new array
function addTodo(newTodo) {
setTodos([...todos, newTodo]);
}
Explanation:
todos.push(newTodo)
: This directly mutates the todos
array, which React doesn't detect as a state change.setTodos([...todos, newTodo])
: This creates a new array with the new todo, which triggers a re-render.State updates are batched and asynchronous. Don't rely on state being updated immediately after setting it.
// β Won't work as expected
function increment() {
setCount(count + 1);
console.log(count); // Still has the old value!
}
// β
Use useEffect to respond to state changes
useEffect(() => {
console.log("Count updated:", count);
}, [count]);
Explanation:
setCount(count + 1)
: This sets the new state value, but the state update is asynchronous.console.log(count)
: This will still log the old value because the state update hasn't been processed yet.useEffect
to respond to state changes, and log the new value.React may batch multiple state updates for performance. Use functional updates to ensure correct sequencing.
// β May only increment once if updates are batched
function incrementThrice() {
setCount(count + 1);
setCount(count + 1);
setCount(count + 1);
}
// β
Will correctly increment three times
function incrementThrice() {
setCount(c => c + 1);
setCount(c => c + 1);
setCount(c => c + 1);
}
Explanation:
setCount(count + 1)
: This directly mutates the state, but React doesn't detect the change.setCount(c => c + 1)
: This uses a functional update, which ensures the correct state value is used.When you have multiple related state values, consider using a single object with useState
or switching to useReducer.
// β Too many useState calls for related data
const [username, setUsername] = useState('');
const [email, setEmail] = useState('');
const [password, setPassword] = useState('');
const [isValid, setIsValid] = useState(false);
const [errors, setErrors] = useState({});
// β
Better: Group related state
const [form, setForm] = useState({
username: '',
email: '',
password: '',
isValid: false,
errors: {}
});
// Or even better for complex forms: useReducer.
Explanation:
const [form, setForm] = useState({})
: This creates multiple state variables, which can be confusing and harder to manage.const [form, setForm] = useState({})
: This creates a single object with all the related state values, making it easier to manage and update.π Read more: Choosing the State Structure