React Context
React Context provides a method for managing state globally. It can be combined with the useState
Hook to share state between deeply nested components more efficiently than using useState
alone.
The Problem
State should be managed by the highest parent component that needs access to it.
For example, if multiple nested components require access to the state, passing it through each level as “props” is necessary without Context. This process is known as “prop drilling.”
Example:
Passing “props” through nested components involves forwarding props from a parent component down to its child components through each level of the hierarchy.
import { useState } from "react";
import ReactDOM from "react-dom/client";
function Component1() {
const [user , setUser ] = useState("Jesse Hall");
return (
<> <h1>{`Hello ${user}!`}</h1> <Component2 user={user} /> </>
); }
function Component2({ user }) {
return (
<> <h1>Component 2</h1> <Component3 user={user} /> </>
); }
function Component3({ user }) {
return (
<> <h1>Component 3</h1> <Component4 user={user} /> </>
); }
function Component4({ user }) {
return (
<> <h1>Component 4</h1> <Component5 user={user} /> </>
); }
function Component5({ user }) {
return (
<> <h1>Component 5</h1> <h2>{`Hello ${user} again!`}</h2> </>
); }
const root = ReactDOM .createRoot(document .getElementById('root'));
root .render(<Component1 />);
|