How to Implement Global State Management with Redux

Managing state in large applications can quickly become complex, especially when different components need to access or update shared data. This is where global state management solutions come into play, and one of the most popular tools for this purpose in React applications is Redux. Redux allows developers to maintain a single source of truth for state, making it easier to manage and predict how data flows across the application.

In this article, we will explore how to implement global state management with Redux. We’ll cover the fundamentals, walk through setting up Redux in a React app, and demonstrate how to structure your state efficiently. Whether you’re new to Redux or looking to deepen your understanding, this guide will provide actionable steps to help you integrate Redux into your projects.

What is Redux?

Redux is a predictable state management library often used with React. It enables you to manage the state of your application in a centralized store, making state easier to maintain, debug, and scale. The key principles of Redux are:

Single Source of Truth: The entire state of the application is stored in a single object tree within the store.

State is Read-Only: The only way to change the state is by dispatching an action, which describes what should happen.

Changes are Made with Pure Reducers: Reducers are pure functions that take the current state and an action, and return a new state based on the action.

By following these principles, Redux provides a clear and predictable structure for managing global state, making it easier to reason about changes in the application.

Why Use Redux for Global State Management?

As your React application grows, managing state locally within components can become difficult. Prop drilling, where props are passed down through multiple layers of components, can lead to cluttered and hard-to-maintain code. Redux solves this by offering a centralized store where all state is managed, allowing components to access the data they need directly without relying on prop chains.

Redux is particularly useful for:

Large applications: With many interdependent components that need to share state.

Complex state interactions: When different parts of the app need to update and interact with the same piece of data.

Predictable updates: Redux enforces a strict, predictable pattern for state changes, reducing the chance of unexpected bugs.

Alternatives to Redux

While Redux is powerful, it’s not always necessary. For smaller applications, using React’s built-in Context API or useState might be sufficient. However, for large-scale applications where state needs to be shared across many components, Redux offers more robust and scalable solutions.

Setting Up Redux in a React Application

To get started with Redux, we’ll need to install the core Redux library and the React-Redux bindings, which allow Redux to integrate with React components.

Step 1: Install Redux and React-Redux

To set up Redux in your project, you can use npm or yarn to install the required libraries:

npm install redux react-redux

Step 2: Create a Redux Store

The store is the central repository for all the state in a Redux application. You will define your store by creating a reducer, which specifies how state changes in response to actions, and then initializing the store using the createStore function from Redux.

import { createStore } from 'redux';

// Define the initial state of the application
const initialState = {
count: 0,
};

// Create a reducer function to handle state changes
function counterReducer(state = initialState, action) {
switch (action.type) {
case 'INCREMENT':
return { ...state, count: state.count + 1 };
case 'DECREMENT':
return { ...state, count: state.count - 1 };
default:
return state;
}
}

// Create the Redux store by passing in the reducer
const store = createStore(counterReducer);

export default store;

In this example, we’ve created a simple store with an initial state containing a count value. The counterReducer function listens for INCREMENT and DECREMENT actions and updates the state accordingly.

Step 3: Provide the Store to Your React Application

To make the store available throughout your React app, use the Provider component from react-redux. This component wraps your entire application, ensuring that any component in your app can access the Redux store.

import React from 'react';
import ReactDOM from 'react-dom';
import { Provider } from 'react-redux';
import App from './App';
import store from './store';

// Wrap the App component with the Provider component
ReactDOM.render(
<Provider store={store}>
<App />
</Provider>,
document.getElementById('root')
);

The Provider component takes the Redux store as a prop and passes it down to any connected components within the app.

Step 4: Dispatching Actions to Update the State

In Redux, actions are plain JavaScript objects that describe an event that happened in the application. You can dispatch actions to the store to trigger state updates.

To dispatch actions, you’ll use the useDispatch hook from react-redux, which allows you to send actions to the Redux store from within your React components.

import React from 'react';
import { useDispatch } from 'react-redux';

function Counter() {
const dispatch = useDispatch();

return (
<div>
<button onClick={() => dispatch({ type: 'INCREMENT' })}>Increment</button>
<button onClick={() => dispatch({ type: 'DECREMENT' })}>Decrement</button>
</div>
);
}

export default Counter;

In this example, clicking the “Increment” or “Decrement” buttons dispatches actions to the Redux store, which are handled by the counterReducer to update the state.

To access state from the Redux store, you’ll use the useSelector hook, which allows you to select pieces of state that your component needs.

Step 5: Accessing State in Components

To access state from the Redux store, you’ll use the useSelector hook, which allows you to select pieces of state that your component needs.

import React from 'react';
import { useSelector } from 'react-redux';

function CounterDisplay() {
const count = useSelector((state) => state.count);

return (
<div>
<h1>Count: {count}</h1>
</div>
);
}

export default CounterDisplay;

Here, the CounterDisplay component uses the useSelector hook to access the count value from the Redux store and displays it in the UI.

Step 6: Organizing Redux Code

For larger applications, you’ll want to organize your Redux code into manageable modules. Here are some tips for structuring your Redux code:

Actions: Define your action types and action creators in a separate file. Action creators are functions that return action objects and help reduce repetitive code.

// actions.js
export const increment = () => ({ type: 'INCREMENT' });
export const decrement = () => ({ type: 'DECREMENT' });

Reducers: You can combine multiple reducers using Redux’s combineReducers function, allowing you to split state management logic by feature or domain.

import { combineReducers } from 'redux';
import counterReducer from './counterReducer';
import userReducer from './userReducer';

const rootReducer = combineReducers({
counter: counterReducer,
user: userReducer,
});

export default rootReducer;

Selectors: For more complex state, create reusable selectors—functions that encapsulate the logic for retrieving specific pieces of state.

export const selectCount = (state) => state.counter.count;
export const selectUser = (state) => state.user.data;

Step 7: Middleware for Handling Asynchronous Actions

While Redux by itself only handles synchronous updates, most real-world applications involve asynchronous operations like API requests. For this, Redux provides middleware such as redux-thunk or redux-saga to handle asynchronous logic.

Using Redux Thunk

Redux Thunk allows you to write action creators that return functions instead of plain action objects. These functions can perform side effects like API calls and dispatch other actions based on the results.

To install redux-thunk, run:

npm install redux-thunk

Then, apply the middleware to your store:

import { createStore, applyMiddleware } from 'redux';
import thunk from 'redux-thunk';
import rootReducer from './reducers';

const store = createStore(rootReducer, applyMiddleware(thunk));

Here’s an example of an action creator using redux-thunk to fetch data asynchronously:

export const fetchData = () => {
return async (dispatch) => {
const response = await fetch('https://api.example.com/data');
const data = await response.json();
dispatch({ type: 'SET_DATA', payload: data });
};
};

Using middleware like redux-thunk helps manage asynchronous operations while keeping the rest of your Redux code predictable and maintainable.

Best Practices for Using Redux

Now that you have the basics down, let’s explore some best practices for using Redux in larger applications:

Keep Global State Minimal: Only store data in the Redux store if it needs to be accessed globally. Avoid putting component-specific state (like form input) in Redux.

Use Action Creators: Instead of dispatching plain action objects directly, use action creators to centralize action logic and reduce repetitive code.

Normalize State: If you’re managing complex data structures like arrays of objects (e.g., a list of users or posts), normalize the state to avoid duplication and make updates easier.

Avoid Overusing Redux: Not every piece of state needs to be in Redux. Use local state (useState) for component-specific data and Redux for shared or global state.

Leverage DevTools: Use Redux DevTools to debug and monitor state changes in real-time. This is incredibly useful for tracing bugs and optimizing state updates.

Optimize Performance: Use useSelector carefully to ensure that only the necessary parts of the state trigger re-renders. Memoize selectors with libraries like Reselect for more complex data.

Advanced Redux Techniques for Large-Scale Applications

As your application scales, Redux can help maintain predictable and organized state management. However, managing a large application can introduce new challenges. To handle growing complexity efficiently, you may need to adopt advanced Redux techniques and practices. Below, we’ll dive into several key strategies to optimize your Redux setup for larger applications, including middleware for side effects, code splitting, selector optimization, and state normalization.

1. Handling Side Effects with Middleware

In most React applications, you will need to handle asynchronous actions like API requests or other side effects. Redux on its own is synchronous, but with middleware such as redux-thunk or redux-saga, you can manage asynchronous flows and side effects seamlessly.

Using Redux Thunk for Asynchronous Actions

Redux Thunk is one of the most commonly used middlewares to handle asynchronous operations. It allows you to dispatch functions (thunks) instead of plain objects. These functions can contain async logic like fetching data from an API.

// Installing redux-thunk
npm install redux-thunk

// Adding thunk to the store
import { createStore, applyMiddleware } from 'redux';
import thunk from 'redux-thunk';
import rootReducer from './reducers';

const store = createStore(rootReducer, applyMiddleware(thunk));

// Example async action using thunk
export const fetchData = () => {
return async (dispatch) => {
dispatch({ type: 'FETCH_DATA_REQUEST' });
try {
const response = await fetch('https://jsonplaceholder.typicode.com/posts');
const data = await response.json();
dispatch({ type: 'FETCH_DATA_SUCCESS', payload: data });
} catch (error) {
dispatch({ type: 'FETCH_DATA_FAILURE', payload: error.message });
}
};
};

In this example, the action fetchData dispatches three actions: one to indicate the request has started (FETCH_DATA_REQUEST), one for success (FETCH_DATA_SUCCESS), and one for failure (FETCH_DATA_FAILURE). This structure allows you to manage the loading, success, and error states clearly.

Using Redux Saga for Complex Async Flows

While redux-thunk works well for most cases, redux-saga is another popular middleware that is especially useful for handling complex asynchronous flows. Redux-saga uses generators to manage side effects, providing more power and control over things like concurrency, cancellation, and orchestration.

# Install redux-saga
npm install redux-saga

Here’s a simple example of using redux-saga:

import { call, put, takeEvery } from 'redux-saga/effects';

// Example API call
function* fetchPosts() {
try {
const response = yield call(fetch, 'https://jsonplaceholder.typicode.com/posts');
const data = yield response.json();
yield put({ type: 'FETCH_POSTS_SUCCESS', payload: data });
} catch (error) {
yield put({ type: 'FETCH_POSTS_FAILURE', payload: error.message });
}
}

// Watcher Saga: watches for actions dispatched to the store
function* watchFetchPosts() {
yield takeEvery('FETCH_POSTS_REQUEST', fetchPosts);
}

// Root saga
export default function* rootSaga() {
yield all([watchFetchPosts()]);
}

The watchFetchPosts saga listens for a FETCH_POSTS_REQUEST action and calls the fetchPosts generator function when this action is dispatched. Redux-saga is particularly useful for handling complex workflows where you may need to cancel ongoing requests or trigger side effects based on multiple actions.

2. Code Splitting for Redux Reducers

As your app grows, the size of your Redux store and the number of reducers can become large and unwieldy. Code splitting allows you to load reducers dynamically, reducing the initial bundle size and optimizing performance.

Dynamically Adding Reducers

One of the best ways to handle large Redux applications is by dynamically loading reducers only when needed. This technique is particularly useful for applications with many feature modules.

import { combineReducers } from 'redux';

// Create a root reducer that can add new reducers dynamically
export default function createRootReducer(asyncReducers) {
return combineReducers({
// Static reducers
auth: authReducer,
// Dynamically added reducers
...asyncReducers,
});
}

// Function to add new reducers
export function injectReducer(store, key, reducer) {
if (!store.asyncReducers) {
store.asyncReducers = {};
}
store.asyncReducers[key] = reducer;
store.replaceReducer(createRootReducer(store.asyncReducers));
}

By using dynamic reducers, you can inject feature-specific reducers when a user navigates to a new section of the app, reducing the initial load time.

In Redux, selectors are functions that retrieve specific pieces of state from the store.

3. Optimizing Performance with Selectors

In Redux, selectors are functions that retrieve specific pieces of state from the store. Using selectors efficiently is critical for performance, especially in large applications where unnecessary re-renders can become a bottleneck.

Using Reselect for Memoized Selectors

A common problem with Redux is that components can re-render unnecessarily when the state changes, even if the part of the state they are accessing hasn’t changed. Reselect is a library that allows you to create memoized selectors, which cache the result of a selector until its dependencies change, preventing unnecessary re-renders.

npm install reselect
import { createSelector } from 'reselect';

// Basic input selector
const selectPosts = (state) => state.posts;

// Memoized selector using reselect
export const selectVisiblePosts = createSelector(
[selectPosts],
(posts) => posts.filter(post => post.visible)
);

The selectVisiblePosts selector only recalculates when state.posts changes. If the input state hasn’t changed, the selector returns the previously cached result, preventing re-renders of components relying on that data.

Best Practice: Use memoized selectors with Reselect to avoid unnecessary re-renders and improve performance in complex applications.

4. Normalizing State for Efficient Updates

In Redux, state is often represented by complex data structures like arrays of objects. This can lead to inefficiencies when updating or querying data. To solve this, you should normalize your state structure by using an object-based approach, where entities are stored by their unique identifiers.

Example of Normalized State

Rather than storing a list of posts directly in the state, you can normalize the data to improve performance and reduce redundancy:

const initialState = {
posts: {
byId: {
1: { id: 1, title: 'First Post' },
2: { id: 2, title: 'Second Post' },
},
allIds: [1, 2],
},
};

In this structure:

byId: Stores posts as an object, where each key is the post’s unique ID.

allIds: An array of all post IDs, maintaining the order of the posts.

This normalized format simplifies updates, as you only need to modify the entity by its ID, and it avoids duplicating data across different parts of the state.

Using normalizr for Data Normalization

You can automate the normalization process using the normalizr library, which helps you transform deeply nested data into a normalized format.

bashCopy codenpm install normalizr
import { normalize, schema } from 'normalizr';

// Define a schema for your data
const post = new schema.Entity('posts');
const user = new schema.Entity('users', { posts: [post] });

const originalData = {
id: 1,
name: 'John Doe',
posts: [
{ id: 1, title: 'First Post' },
{ id: 2, title: 'Second Post' },
],
};

// Normalize the data
const normalizedData = normalize(originalData, user);
console.log(normalizedData);

Using normalizr ensures that your state remains efficient and consistent, especially when working with deeply nested or relational data.

5. Persisting Redux State

In some applications, you may want to persist the Redux state across page reloads or browser sessions. For example, user preferences or cart data in an e-commerce app should be stored so that the user can return to the app without losing progress.

Using redux-persist for State Persistence

redux-persist is a library that allows you to automatically save your Redux store to localStorage or other storage mediums, ensuring that your state is persisted between sessions.

npm install redux-persist
import { createStore } from 'redux';
import { persistStore, persistReducer } from 'redux-persist';
import storage from 'redux-persist/lib/storage'; // Default to localStorage
import rootReducer from './reducers';

// Config for redux-persist
const persistConfig = {
key: 'root',
storage,
};

// Persisted reducer
const persistedReducer = persistReducer(persistConfig, rootReducer);

// Create store with persisted reducer
const store = createStore(persistedReducer);
const persistor = persistStore(store);

export { store, persistor };

By using redux-persist, you can ensure that important state (such as user authentication or cart data) is saved between sessions, improving the user experience.

6. Testing Redux Reducers and Actions

Testing your Redux logic is essential to ensure that your state management remains reliable as your application grows. Redux’s pure functions (reducers and action creators) are particularly easy to test because they depend only on their inputs and outputs.

Example: Testing a Redux Reducer

You can test Redux reducers by passing in different actions and checking the returned state.

import reducer from './counterReducer';

test('should return the initial state', () => {
expect(reducer(undefined, {})).toEqual({ count: 0 });
});

test('should handle INCREMENT action', () => {
expect(reducer({ count: 0 }, { type: 'INCREMENT' })).toEqual({ count: 1 });
});

Example: Testing Redux Actions with Thunks

For testing async actions with redux-thunk, you can use libraries like redux-mock-store to mock the store and Jest for assertions.

npm install redux-mock-store
import configureMockStore from 'redux-mock-store';
import thunk from 'redux-thunk';
import { fetchData } from './actions';
import fetchMock from 'fetch-mock';

const middlewares = [thunk];
const mockStore = configureMockStore(middlewares);

describe('fetchData action', () => {
afterEach(() => {
fetchMock.restore();
});

it('creates FETCH_DATA_SUCCESS when fetching data is successful', () => {
fetchMock.getOnce('/posts', {
body: { posts: ['post1', 'post2'] },
headers: { 'content-type': 'application/json' },
});

const expectedActions = [
{ type: 'FETCH_DATA_REQUEST' },
{ type: 'FETCH_DATA_SUCCESS', payload: { posts: ['post1', 'post2'] } },
];
const store = mockStore({ posts: [] });

return store.dispatch(fetchData()).then(() => {
expect(store.getActions()).toEqual(expectedActions);
});
});
});

Testing ensures that your Redux logic remains solid and reduces the risk of bugs in production.

Conclusion: Mastering Global State Management with Redux

Redux is a powerful tool for managing global state in React applications, especially when dealing with complex or large-scale projects. By following best practices—such as organizing your code, using middleware for async actions, and keeping global state minimal—you can make your application more maintainable, scalable, and predictable.

At PixelFree Studio, we help developers build robust, high-performance web applications using the latest technologies and tools like Redux. Whether you’re looking to implement state management in a new project or optimize an existing one, we’re here to help. Contact us today to learn more about how we can support your web development goals!

Read Next: