DEV Community

Cover image for Understanding Redux: Simplified State Management in React
Ankita Kanchan
Ankita Kanchan

Posted on • Originally published at dev.to

Understanding Redux: Simplified State Management in React

In React.js, managing state across components can become complex, especially as your application grows in size and complexity. Thankfully, Redux comes to the rescue as a predictable state container for JavaScript applications. In this blog post, we'll explore Redux using a simple example of managing user authentication and data.

Introduction to Redux:
Redux is a state management library for JavaScript applications, primarily used with React, although it can be used with any other JavaScript framework or library. It provides a centralized store to manage the state of your entire application, making it easier to maintain and reason about the state changes.

In Redux, several key components work together to manage the application state predictably and efficiently:

1. Actions:

  • Actions are plain JavaScript objects that represent something that has happened in the application. They typically have a type property indicating the type of action being performed and an optional payload property containing additional data associated with the action.
  • Actions are created by action creator functions, which are typically provided as utility functions to encapsulate the process of creating actions.

2. Reducers:

  • Reducers are pure functions responsible for determining how the application's state changes in response to actions.
  • Reducers take the current state and an action as arguments and return a new state based on the action type.
  • Reducers must be pure functions, meaning they don't mutate the original state but instead return a new state object.

3. Store:

  • The store is a centralized container that holds the application's state.
  • It is created using the createStore function from Redux, which takes the root reducer as an argument.
  • The store provides several methods for interacting with the state, such as getState() to retrieve the current state, dispatch(action) to dispatch actions to the reducer, and subscribe(listener) to subscribe to changes in the state.

4. Provider (for React applications):

  • The Provider component from the react-redux library is used to provide the Redux store to the entire React component tree.
  • It accepts a store prop which should be the Redux store.
  • By wrapping the root component of the application with Provider, all components in the component tree can access the Redux store and dispatch actions.

These are the fundamental components of Redux that work together to manage the application state predictably and efficiently. Actions are dispatched to the store, reducers update the state based on the actions, and the updated state is then made available to connected components via the store.

Example Scenario:

Let's consider a scenario where we have a React application with user authentication. After a successful login, we want to store the user's details (such as username, email, etc.) and share it across multiple components.

Here's a flow diagram illustrating how Redux works in the context of managing user authentication and data in a React application:

UserInfo Redux Flow

In this diagram:

  • App Component: The top-level component of the application. It renders the LoginComponent and UserInfoComponent.
  • LoginComponent: Allows users to log in by dispatching the loginUser action to the Redux store.
  • Redux Store: The centralized store that holds the entire state tree of the application. It contains the User Reducer responsible for managing user authentication state.
  • User Reducer: A function that takes the current state and an action as arguments and returns the new state. It handles actions like LOGIN_USER and LOGOUT_USER to update the user's state in the store.
  • UserInfoComponent: Displays user information retrieved from the Redux store. It connects to the Redux store to access the user's state and renders the UI accordingly.

Actions dispatched by components are handled by reducers, and the updated state is made available to connected components through the Redux store.

Lets see the Implementation πŸŒŠπŸš€

Setting up Redux:
To use Redux in a React application, we need to install the necessary packages:

npm install redux react-redux
Enter fullscreen mode Exit fullscreen mode

1. Define Actions:
Actions are payloads of information that send data from your application to the Redux store. Let's define actions for logging in and logging out:

// actions.js
export const LOGIN_USER = 'LOGIN_USER';
export const LOGOUT_USER = 'LOGOUT_USER';

export const loginUser = (userData) => ({
  type: LOGIN_USER,
  payload: userData,
});

export const logoutUser = () => ({
  type: LOGOUT_USER,
});

Enter fullscreen mode Exit fullscreen mode

2. Define Reducers:

Reducers specify how the application's state changes in response to actions. Let's create reducers for handling user authentication:

// reducers.js
import { LOGIN_USER, LOGOUT_USER } from './actions';

const initialState = {
  user: null,
};

const userReducer = (state = initialState, action) => {
  switch (action.type) {
    case LOGIN_USER:
      return {
        ...state,
        user: action.payload,
      };
    case LOGOUT_USER:
      return {
        ...state,
        user: null,
      };
    default:
      return state;
  }
};

export default userReducer;

Enter fullscreen mode Exit fullscreen mode

3. Create Store:

We need to create a Redux store that holds the complete state tree of our application.

// store.js
import { createStore } from 'redux';
import userReducer from './reducers';

const store = createStore(userReducer);

export default store;

Enter fullscreen mode Exit fullscreen mode

4. Connect Redux with React:

Finally, we connect Redux with our React application using the Provider component from react-redux.

// App.js
import React from 'react';
import { Provider } from 'react-redux';
import store from './store';
import LoginComponent from './LoginComponent';
import UserInfoComponent from './UserInfoComponent';

const App = () => {
  return (
    <Provider store={store}>
      <div>
        <h1>User Authentication Example with Redux</h1>
        <LoginComponent />
        <UserInfoComponent />
        {/* Other components */}
      </div>
    </Provider>
  );
};

export default App;

Enter fullscreen mode Exit fullscreen mode

And you are Done :>

In this example, we explored how to manage user authentication and data using Redux in a React application.

Here's a summary of the key points:

  • Actions: We defined actions such as LOGIN_USER and LOGOUT_USER to represent user login and logout events. These actions encapsulate the data associated with the events, such as user information.
  • Reducers: Reducers are pure functions responsible for handling actions and updating the application state accordingly. We created a user reducer that handles the LOGIN_USER and LOGOUT_USER actions to update the user authentication state.
  • Store: The Redux store acts as a centralized container that holds the application state. We created a Redux store using the createStore function from Redux, passing in the root reducer.
  • Provider: The Provider component from the react-redux library was used to provide access to the Redux store to all components in the React component tree. By wrapping the root component with Provider, we ensured that all components could access the Redux store and dispatch actions.
  • Components: We had two main components: LoginComponent for user login and UserInfoComponent for displaying user information. LoginComponent dispatches the LOGIN_USER action when the user logs in, and UserInfoComponent connects to the Redux store to access user data.

Conclusion:
And there you have it! With Redux, managing user authentication in your React application is as smooth as butter on toast. 🍞✨ By defining actions, reducers, and creating a Redux store, we've built a robust system that handles user login and logout with ease. So, next time you're building an application and need to manage complex state like user authentication, don't sweat itβ€”just Redux it! πŸš€πŸ”‘

Happy Coding!! πŸš€βœ¨

Top comments (0)