blogsaboutContactPrivacy PolicyTerms & Conditions
ReactJSreact context api

Getting Started with React Context API - React Context Guide

March 11, 2025

22 min read

467 views

Introduction

State management is an essential part of developing effective and large user interface components in modern React applications. When applications grow larger, state management in most components can be problematic, especially when passing data through many layers (prop drilling).

To deal with this, React provides the Context API, a built-in solution for global state management without needing external libraries like Redux or Zustand.

What is Prop Drilling?

Prop Drilling is a very common problem for React. When data (props) must travel down a number of levels of a tree structure of components whether the in-between components use it or not.

Understanding Prop Drilling with an Example: Suppose you have a parent component that needs to pass data to a deeply nested child component:

.jsx
1// Parent Component 
2const Parent = () => {
3const user = { name: "Kamran", role: "Developer" };
4return <ChildA user={user} />;
5};
6
7// ChildA
8const ChildA = ({ user }: { user: { name: string; role: string } }) => {
9return <ChildB user={user} />;
10};
11
12// ChildB
13const ChildB = ({ user }: { user: { name: string; role: string } }) => {
14return <ChildC user={user} />;
15};
16
17//ChildC
18const ChildC = ({ user }: { user: { name: string; role: string } }) => {
19return <h2>Welcome, {user.name}!</h2>;
20};

In this example:

  • Parent has the user state.
  • ChildAChildBChildC are passing user even though they don’t need it.
  • Only ChildC actually uses user.

Why is Prop Drilling a Problem?

  • Unnecessary Code: Unnecessary props in components that don’t use them.
  • Scalability Problems: It is hard to handle state while scaling the app with prop drilling.

How React Context API Solves This Issue?

Instead of passing props manually, React Context API allows us to store the state globally and access it from any component without prop drilling.

What is React Context API?

The React Context API is a built-in state management tool in React that allows you to share data (state) between components without having to pass props manually at every level. It helps solve the prop drilling problem by providing a global state container that any component can access directly.

Why Do We Need React Context API?

By default, React uses a one-way data flow, meaning state is passed down through props. However, when deeply nested components need access to shared state, passing props through multiple layers (prop drilling) becomes inefficient.

The React Context API solves this issue by providing a centralized way to manage state and make it available anywhere in the component tree.

Setting Up React Context API

Now that we understand what the React Context API is and why it's useful, let’s go through the steps to set it up in a React project.

Steps to Implement React Context API

We'll discuss:

  • Creating a Context
  • Providing the Context Value
  • Using the Context in child components

1. Creating a Context

The first step is to create a new context using createContext(). This will act as a global state container.

.js
1// UserContext.js
2
3import { createContext } from "react";
4
5// Step 1: Create and export Context
6export const UserContext = createContext(null);

Explanation:

  • createContext(null) initializes the context with a default value (null).
  • We then export UserContext for use in other components..

2. Creating a Provider

The Provider component will wrap parts of the app that need access to the shared state.

.jsx
1import { useState } from "react";
2import { UserContext } from "./UserContext";
3
4// Step 2: Create Provider Component
5export const UserProvider = ({ children }) => {
6const [user, setUser] = useState({ name: "John", role: "Developer" });
7
8return <UserContext.Provider value={user}>{children}</UserContext.Provider>;
9};

Explanation:

  • UserProvider acts as a wrapper component that holds the global state.
  • The user state is stored and provided to UserContext.Provider.
  • { children } ensures that any component wrapped by UserProvider gets access to the state.

3. Wrapping the App with Provider

Now, wrap the entire app (or a specific part) with UserProvider so that the state is accessible everywhere.

.jsx
1import React from "react";
2import ReactDOM from "react-dom";
3import App from "./App";
4import { UserProvider } from "./UserProvider"; // Import the Provider
5
6ReactDOM.render(
7<UserProvider>
8  <App />
9</UserProvider>,
10document.getElementById("root")
11);

Explanation:

  • This ensures that all components inside <App /> can now access UserContext.

Consuming Context in Components

Now, any component inside UserProvider can access the user state without prop drilling using useContext().

.jsx
1import { useContext } from "react";
2import { UserContext } from "./UserContext";
3
4// Step 4: Consume Context in a Component
5const Profile = () => {
6const user = useContext(UserContext);
7
8return <h2>Welcome, {user?.name}!</h2>;
9};

Explanation:

  • useContext(UserContext) allows Profile to access user directly.
  • No need to pass props manually.

Updating Context State (Optional: Using useState)

If you need to update the state dynamically, modify the UserProvider.

.jsx
1 // update UserContext.js
2export const UserProvider = ({ children }) => {
3const [user, setUser] = useState({ name: "John", role: "Developer" });
4
5// Pass setUser Also
6return (
7  <UserContext.Provider value={(user, setUser)}>
8    {children}
9  </UserContext.Provider>
10);
11};
12
13// Now Use Context and Update State in any Component
14const Profile = () => {
15const context = useContext(UserContext);
16
17if (!context) return null;
18const { user, setUser } = context;
19
20return (
21  <div>
22    <h2>Welcome, {user.name}!</h2>
23    <button onClick={() => setUser({ name: "John Doe", role: "Admin" })}>
24      Change User
25    </button>
26  </div>
27);
28};

Now, clicking the button updates the state globally.

Use cases of the React Context API

The React Context API in a React application helps us to solve many common issues related to prop drilling and state management. Below are some common use cases where the React Context is a perfect fit.

  • Theme Management (Light/Dark Mode)

    Another excellent use case for the React Context API is managing global theme settings, such as light or dark mode. You can store the current theme in context and let any component access and change it without prop drilling.

    We'll show you the common example of Theme Management

    Example: Theme Context

    .jsx
    1 // Create a  ThemeContext.js
    2import { createContext, useState } from "react";
    3
    4export const ThemeContext = createContext();
    5
    6// Now create ThemeProvider And set default theme
    7export const ThemeProvider = ({ children }) => {
    8const [theme, setTheme] = useState("light");
    9
    10// Create a toggleTheme function
    11const toggleTheme = () => {
    12  setTheme((prevTheme) => (prevTheme === "light" ? "dark" : "light"));
    13};
    14
    15return (
    16  <ThemeContext.Provider value={{ theme, toggleTheme }}>  // Pass Both
    17  {children}
    18  </ThemeContext.Provider>
    19);
    20};

    Explanation:

    • The ThemeContext holds the current theme and provides a toggleTheme function to switch between light and dark modes.
    • Any component can easily access and update the theme, without the need for prop drilling.
    .jsx
    1import { useContext } from "react";
    2import { ThemeContext } from "./ThemeContext";
    3
    4const ThemeToggle = () => {
    5const { theme, toggleTheme } = useContext(ThemeContext);
    6
    7return (
    8    <div style={{ background: theme === "dark" ? "black" : "white" }}>
    9    <h2>The current theme is {theme}</h2>
    10    <button onClick={toggleTheme}>Toggle Theme</button>
    11    </div>
    12);
    13}; 
  • User Authentication using react context

    One of the most common use cases for React Context API is managing user authentication and user information across an app. Rather than passing user data or authentication status down through multiple components, you can store it in React Context and access it from any component.

  • Managing Localization (Language Settings)

    If your application needs multiple language support, the React Context API can be used to store the user's language preference and provide it to any component that needs to display content in the selected language.

When NOT to Use React Context API

While the React Context API is a powerful tool for managing state, it’s not always the best solution for every situation. There are certain cases where using the Context API will create to performance issues, complicate things, or unnecessary work. Let's discuss when you shouldn't use React Context.

  • When You Need Local State in a Component

    The React Context API is designed to manage global state that needs to be accessed across multiple components. The React Context is not best suited for local component state. If you only need state within a single component, using useState() or useReducer() is the better choice.

  • When You Have Frequent State Changes

    The React Context API triggers a re-render for all components that consume the context whenever the context value changes. If the state changes frequently (e.g., every second or when multiple interactions occur), this can lead to unnecessary re-renders, and your application will be slow.

  • When You Have a Simple, Small Application

    If your application is small and doesn’t have a lot of components or shared state, the React Context API might be overkill. For such cases, simpler state management solutions might be more straightforward to use.

Common Issues & Fixes in React Context API

While the React Context API simplifies state management in React, it may create some issues or unexpected behaviors if not used correctly. Below, we'll explore some of the most common problems developers face when using the React Context API and how to fix them.

  • Too Many Re-renders

    Problem:

    Whenever the value of the context changes, all the consumers of that context will re-render, even if they don't depend on the part of the context that changed. This can lead to unnecessary re-renders, affecting the performance of your application, especially in large apps with complex UI.

    Fix:

    To prevent unnecessary re-renders, you can use React.memo() for functional components that consume the context. This will ensure that the component only re-renders if the relevant context value changes. Alternatively, you can use useMemo() inside the provider to prevent re-creating the context value on every render.
  • Context Value Mutation

    Problem:

    If you mutate the react context value directly, it can lead to unexpected behavior, including uncontrolled re-renders or other side effects.

    Fix: Avoid Mutating the Context Value

    Instead of mutating the state directly, always set a new value using the setState function or a function like useState(). This triggers a clean re-render and prevents unwanted side effects.

Frequently Asked Questions

Q: When should I use the React Context API?

A: The React Context API should be used when you need to share state or values between many components that are not directly related or deeply nested. It's perfect for use cases such as theme management, user authentication, and global configuration settings.

Q: Can I use React Context API with TypeScript?

A: Yes, you can use the React Context API with TypeScript. In TypeScript, you’ll need to define the types for your context value to ensure type safety. You can do this by creating a type for the context's value and using it with the createContext() function.

Q: Can React Context be used for dynamic data, like API responses?

A: Yes, the React Context API can be used for dynamic data, including data fetched from APIs. Just be careful about performance issues if the data changes frequently. In cases where you need complex state management or caching, consider using libraries like React Query. Learn More About React Query.

Q: Can I have multiple Context Providers in a component?

A: Yes, you can have multiple Context Providers in a component. If you need to pass different sets of data to different parts of your app, you can nest context providers or use separate providers for each context.

Conclusion

In conclusion, the React Context API is a powerful tool for managing global state in React applications. It simplifies data sharing between components, prevents prop drilling, and improves code maintainability. Yet, like every tool, it has its challenges. It's important to know when and how to utilize it properly in order to avoid performance pitfalls, unnecessary re-renders, and state management issues.

By carefully setting up your context providers, avoiding unnecessary mutations, and following best practices, you can use the React Context API to build clean, scalable applications. While it’s not suitable for every situation, especially in large-scale apps with complex state logic, it can be an excellent choice for managing global state in smaller to medium-sized projects.

In the end, regardless of whether you're managing a user's authentication state, a theme setting, or global configuration, the React Context API can greatly simplify your state management strategy when used correctly.

If you found this article helpful, feel free to share it with others who may benefit from it!

Share this article

On this page: