admin管理员组文章数量:1345418
I would like the ProtectedRoute
to call server and get a response that indicates whether the user is logged in or not, on every render of a page that it protects. The server is sent a session cookie which it uses to make the decision.
I have verified that the server is indeed returning true in my use case, which I then update state, however the ProtectedRoute
does not fire again once isAuth
is re-assigned from false to true. It only runs once on first render but never updates again after I get the response from the server.
This seems like it should just work out of the box, what am I missing?
ProtectedRoutes
import { lazy, useEffect, useState } from 'react';
import { Navigate } from 'react-router';
import api from '@/api';
const Layout = lazy(() => import('./Layout'));
const ProtectedRoutes = () => {
const [isAuth, setIsAuth] = useState(false);
useEffect(() => {
const fetchData = async () => {
console.log('ProtectedRoutes useEffect fired');
try {
const rsp = await api.request({
url: '/is-authorized',
method: 'GET',
});
if (!rsp) {
throw new Error('No response from server');
}
console.log(
'ProtectedRoutes response:',
rsp.data?.isAuthenticated
);
setIsAuth(rsp.data?.isAuthenticated ?? false);
} catch (error) {
console.error('Error fetching authorization status:', error);
setIsAuth(false);
}
};
fetchData();
}, []);
console.log('isAuth:', isAuth);
if (isAuth === true) {
return <Layout />;
}
return (
<Navigate
to="/login"
replace
/>
);
};
export default ProtectedRoutes;
The browser router configuration
import { lazy } from 'react';
import { createBrowserRouter, RouterProvider } from 'react-router';
import Error from './components/Error';
const ProtectedRoutes = lazy(() => import('./components/ProtectedRoute'));
const AuthenticatePage = lazy(() => import('./components/Authenticate'));
const LoginPage = lazy(() => import('./pages/Login.page'));
const HomePage = lazy(() => import('./pages/Home.page'));
const PeoplePage = lazy(() => import('./pages/People.page'));
const PersonPage = lazy(() => import('./pages/Person.page'));
const NotFoundPage = lazy(() => import('./pages/NotFound.page'));
const router = createBrowserRouter([
{
path: '/',
element: <ProtectedRoutes />,
errorElement: <Error msg="Application Error" />,
children: [
{
path: '/',
element: <HomePage />,
},
{
path: '/people',
element: <PeoplePage />,
},
{
path: '/people/:id',
element: <PersonPage />,
},
],
},
{
path: '/login',
element: <LoginPage />,
errorElement: <Error msg="Application Error" />,
},
{
path: '/authorization-code/callback',
element: <AuthenticatePage />,
},
{
path: '*',
element: <NotFoundPage />,
},
]);
export function Router() {
return <RouterProvider router={router} />;
}
I would like the ProtectedRoute
to call server and get a response that indicates whether the user is logged in or not, on every render of a page that it protects. The server is sent a session cookie which it uses to make the decision.
I have verified that the server is indeed returning true in my use case, which I then update state, however the ProtectedRoute
does not fire again once isAuth
is re-assigned from false to true. It only runs once on first render but never updates again after I get the response from the server.
This seems like it should just work out of the box, what am I missing?
ProtectedRoutes
import { lazy, useEffect, useState } from 'react';
import { Navigate } from 'react-router';
import api from '@/api';
const Layout = lazy(() => import('./Layout'));
const ProtectedRoutes = () => {
const [isAuth, setIsAuth] = useState(false);
useEffect(() => {
const fetchData = async () => {
console.log('ProtectedRoutes useEffect fired');
try {
const rsp = await api.request({
url: '/is-authorized',
method: 'GET',
});
if (!rsp) {
throw new Error('No response from server');
}
console.log(
'ProtectedRoutes response:',
rsp.data?.isAuthenticated
);
setIsAuth(rsp.data?.isAuthenticated ?? false);
} catch (error) {
console.error('Error fetching authorization status:', error);
setIsAuth(false);
}
};
fetchData();
}, []);
console.log('isAuth:', isAuth);
if (isAuth === true) {
return <Layout />;
}
return (
<Navigate
to="/login"
replace
/>
);
};
export default ProtectedRoutes;
The browser router configuration
import { lazy } from 'react';
import { createBrowserRouter, RouterProvider } from 'react-router';
import Error from './components/Error';
const ProtectedRoutes = lazy(() => import('./components/ProtectedRoute'));
const AuthenticatePage = lazy(() => import('./components/Authenticate'));
const LoginPage = lazy(() => import('./pages/Login.page'));
const HomePage = lazy(() => import('./pages/Home.page'));
const PeoplePage = lazy(() => import('./pages/People.page'));
const PersonPage = lazy(() => import('./pages/Person.page'));
const NotFoundPage = lazy(() => import('./pages/NotFound.page'));
const router = createBrowserRouter([
{
path: '/',
element: <ProtectedRoutes />,
errorElement: <Error msg="Application Error" />,
children: [
{
path: '/',
element: <HomePage />,
},
{
path: '/people',
element: <PeoplePage />,
},
{
path: '/people/:id',
element: <PersonPage />,
},
],
},
{
path: '/login',
element: <LoginPage />,
errorElement: <Error msg="Application Error" />,
},
{
path: '/authorization-code/callback',
element: <AuthenticatePage />,
},
{
path: '*',
element: <NotFoundPage />,
},
]);
export function Router() {
return <RouterProvider router={router} />;
}
Share
Improve this question
edited 2 days ago
Drew Reese
204k18 gold badges244 silver badges273 bronze badges
asked 2 days ago
user3146945user3146945
2731 gold badge2 silver badges10 bronze badges
5
|
1 Answer
Reset to default 1I have verified that the server is indeed returning true in my use case, which I then update state, however the
ProtectedRoute
does not fire again onceisAuth
is re-assigned from false to true. It only runs once on first render but never updates again after I get the response from the server.This seems like it should just work out of the box, what am I missing?
Issues
- The
ProtectedRoutes
component is mounted only once while on any of its nested routes. ProtectedRoutes
starts out assuming the current user is not authenticated, so it immediately redirects to the"/login"
route.ProtectedRoutes
doesn't re-check the user's authentication when navigating between each nested route.
Solution Suggestions
- Initialize the
isAuth
state to something that is neithertrue
for an authenticated user, and notfalse
for an unauthenticated user. Useundefined
to indicate the user's authentication status has not been verified yet. - Add a loading state to handle post-initial-auth-verification checks, e.g. when a user is navigating around. Use React-Router's
useLocation
hook to access the currentpathname
value to be used as auseEffect
hook dependency to trigger the side-effect to check the user's authentication status. - Update
ProtectedRoutes
to conditionally render some loading UI when either theisAuth
state is not set yet or there is a pending auth check. - For Separation of Concerns, update
ProtectedRoutes
to render anOutlet
, and renderLayout
separately as a nested route. In other words, one route component handles access control and the other handles UI layout.
Example:
import { useEffect, useState } from "react";
import {
Navigate,
Outlet,
useLocation,
} from "react-router-dom";
const ProtectedRoutes = () => {
const { pathname } = useLocation();
const [isAuth, setIsAuth] = useState();
const [isLoading, setIsLoading] = useState(false);
useEffect(() => {
const fetchData = async () => {
try {
setIsLoading(true);
const rsp = await api.request({
url: "/is-authorized",
method: "GET",
});
if (!rsp) {
throw new Error("No response from server");
}
setIsAuth(!!rsp.data?.isAuthenticated);
} catch (error) {
setIsAuth(false);
} finally {
setIsLoading(false);
}
};
fetchData();
}, [pathname]);
if (isLoading || isAuth === undefined) {
return <h1>...Loading...</h1>;
}
return isAuth ? <Outlet /> : <Navigate to="/login" replace />;
};
const ProtectedRoutes = lazy(() => import('./components/ProtectedRoute'));
const Layout = lazy(() => import('./components/Layout'));
const AuthenticatePage = lazy(() => import('./components/Authenticate'));
const LoginPage = lazy(() => import('./pages/Login.page'));
const HomePage = lazy(() => import('./pages/Home.page'));
const PeoplePage = lazy(() => import('./pages/People.page'));
const PersonPage = lazy(() => import('./pages/Person.page'));
const NotFoundPage = lazy(() => import('./pages/NotFound.page'));
const router = createBrowserRouter([
{
element: <ProtectedRoutes />,
errorElement: <Error msg="Application Error" />,
children: [
{
element: <Layout />,
children: [
{ path: '/', element: <HomePage /> },
{ path: "/people", element: <PeoplePage /> },
{ path: "/people/:id", element: <PersonPage /> },
],
},
],
},
{
path: '/login',
element: <LoginPage />,
errorElement: <Error msg="Application Error" />,
},
{
path: '/authorization-code/callback',
element: <AuthenticatePage />,
},
{ path: '*', element: <NotFoundPage /> },
]);
本文标签: javascriptI cannot figure out why ProtectedRoute wont rerender after updating useStateStack Overflow
版权声明:本文标题:javascript - I cannot figure out why ProtectedRoute wont re-render after updating useState - Stack Overflow 内容由网友自发贡献,该文观点仅代表作者本人, 转载请联系作者并注明出处:http://www.betaflare.com/web/1743813855a2543557.html, 本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌抄袭侵权/违法违规的内容,一经查实,本站将立刻删除。
useLocation
provided by react routerconst location = useLocation()
and then usinglocation.pathname
in the dependency array of youruseEffect
. – Jacob Smit Commented 2 days agouseLocation
was the hook I needed to trigger internal re-renders. So I would have to change the state of the parent component in order to have it re-render without useLocation? that doesnt sound like a good idea. – user3146945 Commented 2 days agoelement: <ProtectedRoute><PeoplePage /></ProtectedRoute>
– Jacob Smit Commented 2 days ago