Route guards are a crucial aspect of routing systems, particularly in Single-Page Applications (SPAs) like those built with React. They serve as an additional layer of protection between routes, ensuring that certain conditions or requirements are met before allowing navigation to proceed.
In this explanation, we will discuss how to implement route guards in a React application using the react-router-dom
library.
A route guard is a function that checks whether it's safe to navigate from one route to another. It can perform various tasks such as:
react-router-dom
To implement route guards in a React application using react-router-dom
, you can utilize the useEffect
hook within your components. Here's an example:
import { useEffect } from 'react';
import { useHistory } from 'react-router-dom';
function AuthGuard({ children }) {
const history = useHistory();
useEffect(() => {
// Check if user is authenticated or has valid session token
const authStatus = checkAuthStatus(); // Replace with actual authentication logic
if (!authStatus) {
// Redirect to login page if not authenticated
history.push('/login');
} else {
// Allow navigation to proceed if authenticated
}
}, [history]);
return children;
}
In the above code:
useHistory
from react-router-dom
.AuthGuard
component that takes a children
prop.useEffect
hook, we check the user's authentication status using the checkAuthStatus()
function (replace with actual implementation).history.push()
method.To use route guards in your application's routing configuration, you can create a wrapper component that applies the guard to specific routes. Here's an example:
import { BrowserRouter as Router, Switch } from 'react-router-dom';
import AuthGuard from './AuthGuard';
function App() {
return (
<Router>
<Switch>
<ProtectedRoute path="/admin" component={AdminDashboard} />
<PublicRoute path="/public-page" component={PublicPage} />
</Switch>
</Router>
);
}
function ProtectedRoute({ children }) {
return (
<AuthGuard>
{children}
</AuthGuard>
);
}
function PublicRoute({ children }) {
return (
// No route guard applied here
<div>{children}</div>
);
}
In the above code:
ProtectedRoute
component that applies the AuthGuard
to specific routes.PublicRoute
component does not apply any route guards.