How to use React Context for state management?

To use React Context for state management, follow these steps:

  1. Create a context by using the createContext() function from React. This function creates a new context object.

  2. Create a provider component that will wrap around the part of your component tree that needs access to the context state. This provider component will use the Context.Provider component and pass the state as a value prop.

  3. Create a consumer component that will consume the context state. This component will use the Context.Consumer component and access the state through the render prop.

  4. To update the context state, you can create a separate component that handles the state changes and pass down the necessary functions as props to the provider component.

Here is an example of how to use React Context for state management:

// Create a new context const MyContext = React.createContext(); // Create a provider component const MyProvider = (props) => { const [state, setState] = useState('initial state'); return ( <MyContext.Provider value={{ state, setState }}> {props.children} </MyContext.Provider> ); }; // Create a consumer component const MyConsumer = () => { return ( <MyContext.Consumer> {({ state, setState }) => ( <div> <p>Context State: {state}</p> <button onClick={() => setState('new state')}> Update State </button> </div> )} </MyContext.Consumer> ); }; // App component const MyApp = () => { return ( <MyProvider> <div> <h1>State Management with Context</h1> <MyConsumer /> </div> </MyProvider> ); }; ReactDOM.render(<MyApp />, document.getElementById('root'));

In this example, we create a context using React.createContext(), create a provider component MyProvider that manages the state and passes it down to its children through the context, and create a consumer component MyConsumer that consumes the context state and allows updating the state. Finally, we render our app component, MyApp, which contains the provider and consumer components.