Subscribe
How to Use the useReducer Hook in React
5 mins read

By: vishwesh

How to Use the useReducer Hook in React

React is a popular JavaScript library that allows developers to build user interfaces in a declarative and efficient way. It provides a simple and intuitive way to manage state using the useState hook. However, for more complex state management scenarios, the useReducer hook is a better choice. In this article, we'll explore how to use the useReducer hook in React.

What is the useReducer Hook?

The useReducer hook is a built-in hook in React that allows you to manage state in a more complex way than the useState hook. It is similar to Redux, but with a simpler API and less boilerplate code. The useReducer hook takes two arguments: a reducer function and an initial state.

const [state, dispatch] = useReducer(reducer, initialState);

The first argument, reducer, is a function that takes two arguments: the current state and an action object, and returns a new state. The second argument, initialState, is the initial state of the component. The useReducer hook returns an array of two values: the current state and a dispatch function.

The dispatch function is used to update the state of the component. It takes an action object as an argument, which contains information about how to update the state. The reducer function then uses this information to calculate the new state.

How to Use the useReducer Hook

Let's take a look at how to use the useReducer hook in a functional component. In this example, we'll create a simple counter component that increments and decrements a value using the useReducer hook.

import React, { useReducer } from 'react';

function counterReducer(state, action) {
  switch (action.type) {
    case 'increment':
      return { count: state.count + 1 };
    case 'decrement':
      return { count: state.count - 1 };
    default:
      throw new Error();
  }
}

function Counter() {
  const [state, dispatch] = useReducer(counterReducer, { count: 0 });

  return (
    <div>
      <h2>Counter</h2>
      <p>Count: {state.count}</p>
      <button onClick={() => dispatch({ type: 'increment' })}>Increment</button>
      <button onClick={() => dispatch({ type: 'decrement' })}>Decrement</button>
    </div>
  );
}

export default Counter;

In this code, we define a counterReducer function that takes the current state and an action object, and returns a new state. The action object contains a type property, which we use to determine how to update the state. In this case, we increment or decrement the count property of the state object.

We then define a Counter component that uses the useReducer hook to manage the state of the component. We pass in the counterReducer function as the first argument, and an initial state object **{ count: 0 }** as the second argument.

In the render method of the component, we display the current count value using state.count. We also define two buttons that use the dispatch function to update the state. When the Increment button is clicked, we call **dispatch({ type: 'increment' })**, which sends an action object to the reducer function with a type property of 'increment'. The reducer function then increments the count property of the state object, and returns a new state. The same process is followed when the Decrement button is clicked.

Combining useReducer with useContext

The useReducer hook can be used in combination with the useContext hook to create more complex state management scenarios. Let's take a look at how we can do this with an example.

import React, { useReducer, useContext } from 'react';

const initialState = {
  cartItems: [],
  totalPrice: 0,
};

function cartReducer(state, action) {
  switch (action.type) {
    case 'add':
      return {
        ...state,
        cartItems: [...state.cartItems, action.payload],
        totalPrice: state.totalPrice + action.payload.price,
      };
    case 'remove':
      const itemIndex = state.cartItems.findIndex((item) => item.id === action.payload.id);
      if (itemIndex < 0) {
        return state;
      }
      const newCartItems = [...state.cartItems];
      newCartItems.splice(itemIndex, 1);
      return {
        ...state,
        cartItems: newCartItems,
        totalPrice: state.totalPrice - action.payload.price,
      };
    default:
      throw new Error(`Unsupported action type: ${action.type}`);
  }
}

const CartContext = React.createContext(null);

function CartProvider(props) {
  const [state, dispatch] = useReducer(cartReducer, initialState);
  const value = { state, dispatch };
  return <CartContext.Provider value={value} {...props} />;
}

function useCart() {
  const context = useContext(CartContext);
  if (context === null) {
    throw new Error('useCart must be used within a CartProvider');
  }
  return context;
}

function Product({ id, name, price }) {
  const { dispatch } = useCart();

  function handleAddToCart() {
    dispatch({ type: 'add', payload: { id, name, price } });
  }

  return (
    <div>
      <h3>{name}</h3>
      <p>Price: ${price}</p>
      <button onClick={handleAddToCart}>Add to Cart</button>
    </div>
  );
}

function Cart() {
  const { state, dispatch } = useCart();

  function handleRemoveFromCart(item) {
    dispatch({ type: 'remove', payload: item });
  }

  return (
    <div>
      <h2>Cart</h2>
      <ul>
        {state.cartItems.map((item) => (
          <li key={item.id}>
            {item.name} - ${item.price}
            <button onClick={() => handleRemoveFromCart(item)}>Remove</button>
          </li>
        ))}
      </ul>
      <p>Total Price: ${state.totalPrice}</p>
    </div>
  );
}

function App() {
  return (
    <CartProvider>
      <Product id="1" name="Product 1" price={10} />
      <Product id="2" name="Product 2" price={20} />
      <Product id="3" name="Product 3" price={30} />
      <Cart />
    </CartProvider>
  );
}

export default App;

In this code, we define a CartContext using the createContext function. We then define a CartProvider component that uses the useReducer hook to manage the state of the cart. We pass in the cartReducer function as the first argument, and the initialState object as the second argument. We also create a value object that contains the state and dispatch values from the useReducer hook, and pass it to the CartContext.Provider.

We then define a useCart custom hook that uses the useContext hook to get the state and dispatch values from the CartContext. This hook checks that the CartContext exists and returns the state and dispatch values.

We define a Product component that takes in the id, name, and price props. It uses the useCart hook to get access to the dispatch function, which is used to add the item to the cart when the "Add to Cart" button is clicked.

We define a Cart component that displays the list of items in the cart and the total price. It also uses the useCart hook to get access to the state and dispatch values. When the "Remove" button is clicked, it dispatches a "remove" action with the corresponding item payload.

Finally, we define an App component that wraps the Product and Cart components in a CartProvider. This ensures that both components have access to the CartContext.

With this example, you can see how easy it is to manage complex state in a React application using the useReducer hook. By creating a custom hook and a provider component, you can easily share the state and dispatch functions throughout your application.

Conclusion

In this article, we covered the basics of the useReducer hook in React. We saw how it can be used to manage complex state and how it works together with the useState hook. We also looked at some advanced use cases, including managing state in context and managing state with multiple actions.

The useReducer hook can be a powerful tool in your React arsenal, allowing you to manage state in a more organized and efficient way. With the ability to handle complex state management scenarios and the ability to share state throughout your application, useReducer is definitely worth adding to your React toolbox.

Recent posts

Don't miss the latest trends

    Popular Posts

    Popular Categories