Simplifying React State Management with Zustand
Why Another State Management Library?
Hey there! 👋 If you've been working with React, you've probably dealt with state management. While Redux has been the go-to solution for years, sometimes it feels like bringing a tank to a knife fight. That's where Zustand comes in - it's like Redux's cooler, more laid-back cousin.
What's Zustand?
Zustand (German for "state") is a tiny state management solution that makes handling state in React apps super easy. No boilerplate, no complex setup, just simple state management that gets the job done.
Getting Started
First, let's install Zustand:
npm install zustand
Let's build something practical - a simple todo app (I know, I know, but it's perfect for learning!).
Here's how we create our store:
// store/useStore.js
import create from 'zustand'
const useStore = create((set) => ({
todos: [],
addTodo: (todo) =>
set((state) => ({
todos: [...state.todos, todo],
})),
removeTodo: (id) =>
set((state) => ({
todos: state.todos.filter((todo) => todo.id !== id),
})),
toggleTodo: (id) =>
set((state) => ({
todos: state.todos.map((todo) =>
todo.id === id ? { ...todo, completed: !todo.completed } : todo
),
})),
}))
export default useStore
Now, let's use it in our components:
// components/TodoApp.jsx
import useStore from '../store/useStore'
function TodoApp() {
const { todos, addTodo, removeTodo, toggleTodo } = useStore()
const [newTodo, setNewTodo] = useState('')
const handleAdd = (e) => {
e.preventDefault()
if (!newTodo.trim()) return
addTodo({
id: Date.now(),
text: newTodo,
completed: false,
})
setNewTodo('')
}
return (
<div className="p-4">
<form onSubmit={handleAdd}>
<input
type="text"
value={newTodo}
onChange={(e) => setNewTodo(e.target.value)}
placeholder="What needs to be done?"
className="rounded border p-2"
/>
<button
type="submit"
className="ml-2 rounded bg-blue-500 px-4 py-2 text-white"
>
Add
</button>
</form>
<ul className="mt-4">
{todos.map((todo) => (
<li key={todo.id} className="my-2 flex items-center gap-2">
<input
type="checkbox"
checked={todo.completed}
onChange={() => toggleTodo(todo.id)}
/>
<span
style={{
textDecoration: todo.completed ? 'line-through' : 'none',
}}
>
{todo.text}
</span>
<button
onClick={() => removeTodo(todo.id)}
className="ml-auto text-red-500"
>
Delete
</button>
</li>
))}
</ul>
</div>
)
}
What Makes Zustand Special?
- Simplicity: No providers needed! Just create a store and use it anywhere.
- TypeScript Support: First-class TypeScript support out of the box.
- Tiny Size: Just 1KB (minified and gzipped).
- No Boilerplate: Compare the code above with Redux - see how clean it is?
Pro Tips 🚀
1. Selective Updates
You can subscribe to specific parts of your state:
// Only re-render when todos change
const { todos } = useStore((state) => state.todos)
2. Middleware Support
Zustand supports middleware for things like persistence:
import { persist } from 'zustand/middleware'
const useStore = create(
persist(
(set) => ({
todos: [],
// ... other actions
}),
{
name: 'todo-storage',
}
)
)
3. Async Actions
Handling async operations is straightforward:
const useStore = create((set) => ({
todos: [],
fetchTodos: async () => {
const response = await fetch('/api/todos')
const todos = await response.json()
set({ todos })
},
}))
When Should You Use Zustand?
- When Redux feels too heavy
- When you need something more powerful than Context
- When you want great developer experience
- When you need good performance without much configuration
Wrapping Up
Zustand is like that friend who helps you move apartments without making it complicated - it just works! It's perfect for both small projects and large applications, and its learning curve is practically flat.
Give it a try in your next project, and you might find yourself wondering why state management ever needed to be complicated in the first place.
Happy coding! 🚀