Usecontext React Simple Example
Have recently bumped upon a very nice and simple example to use UseContext in React to share variable and methods across all the components.
Reference Link
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import { createContext } from "react"; | |
const authContext = createContext({ | |
authenticated: false, | |
setAuthenticated: (auth) => {} | |
}); | |
export default authContext; |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import ReactDOM from "react-dom"; | |
import React, { useState } from "react"; | |
import authContext from "./authContext"; | |
import Login from "./Login"; | |
const App = () => { | |
const [authenticated, setAuthenticated] = useState(false); | |
return ( | |
<authContext.Provider value={{ authenticated, setAuthenticated }}> | |
<div> user is {`${authenticated ? "" : "not"} authenticated`} </div> | |
<Login /> | |
</authContext.Provider> | |
); | |
}; | |
ReactDOM.render(<App />, document.getElementById("container")); |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import React, { useContext } from "react"; | |
import authContext from "./authContext"; | |
export default () => { | |
const { setAuthenticated } = useContext(authContext); | |
const handleLogin = () => setAuthenticated(true); | |
const handleLogout = () => setAuthenticated(false); | |
return ( | |
<React.Fragment> | |
<button onClick={handleLogin}>login</button> | |
<button onClick={handleLogout}>logout</button> | |
</React.Fragment> | |
); | |
}; |
Comments
Post a Comment