If we import the InstagramContext into main.jsx and render the InstagramContext.Provider around the App component...
import ReactDOM from "react-dom/client";
import App from "./App.jsx";
import "./index.css";
import InstagramContext from "./context/InstagramContext";
ReactDOM.createRoot(document.getElementById("root")).render(
<InstagramContext.Provider value={"???"}>
<App />
</InstagramContext.Provider>
);
...we run into an issue - what value do we provide?
The state values that we want to provide (incrementTotalLikes) lives in the App component. We can't lift that state up to the main.jsx file because there isn't a component here!
Wrapping the App component is common, and there is a common solution:
1) Create a ContextProvider wrapper component
We start by creating a new "wrapper-style" component that imports the Context object and renders its .Provider.
// src/context/InstagramContextProvider.jsx
import { useState } from "react";
import InstagramContext from "./InstagramContext";
// children is whatever this component is wrapped around
const InstagramContextProvider = ({ children }) => {
const [totalLikes, setTotalLikes] = useState(0);
const incrementTotalLikes = () => setTotalLikes(totalLikes + 1);
const contextValues = {
totalLikes,
incrementTotalLikes,
};
return (
<InstagramContext.Provider value={contextValues}>
{children}
</InstagramContext.Provider>
);
};
export default InstagramContextProvider;
All of the global state for this application can be managed by this component.
Note how the children prop is used. This will become clearer next.
2) Import and Render the ContextProvider component in main.jsx
It is easier to see how InstagramContextProvider is a wrapper by looking at how it is used:
import ReactDOM from "react-dom/client";
import App from "./App.jsx";
import "./index.css";
import InstagramContextProvider from "./context/InstagramContextProvider";
ReactDOM.createRoot(document.getElementById("root")).render(
<InstagramContextProvider>
<App /> {/* <--- This is the `children` */}
</InstagramContextProvider>
);
It is literally wrapped around the App component which is automatically provided to InstagramContextProvider as its children prop.
3) Refactor other components as necessary
With this change, the rest of our components that previously needed to manage state become greatly simplified:
Our App now is just a container for Header and PicturesList