如何使用React钩子和react-router执行身份验证

时间:2019-03-26 13:54:00

标签: javascript reactjs react-hooks

我尝试使用react-router-domreact hooks对每条路线变更进行身份验证。 这个想法是,每次用户导航到路线时,系统都会进行api调用并验证用户身份。 我需要实现这一点,因为我使用了react-redux,并且在每个窗口重载时,redux状态都不会持久。所以我需要再次将isLoggedNow设置为true

const PrivateRoute = ({
  component: Component,
  checkOnEachRoute: checkReq,
  isUserLogged,
  ...rest
}) => {
  const [isLoggedNow, setLogged] = useState(isUserLogged);
  useEffect(
    () => {
      const fetchStatus = async () => {
        try {
          await selectisUserLogged();
          setLogged(true);
        } catch (error) {
          console.log(error);
        }
      };
      fetchStatus();
    },
    [isUserLogged],
  );
  return (
    <Route
      {...rest}
      render={props =>
        isLoggedNow ? (
          <div>
            <Component {...props} />
          </div>
        ) : (
          <Redirect
            to={{
              pathname: '/login',
            }}
          />
        )
      }
    />
  );
};

然后我将像上面这样使用上面的PrivateRoute

function App(props) {
  return (
    <div>
      <Switch location={props.location}>
        <Route exact path="/login" component={Login} />
        <PrivateRoute exact path="/sidebar" component={Sidebar} />
      </Switch>
    </div>
  );
}

首先,isUserLoggedtrue,但是在重新加载窗口后,我得到了一个错误Warning: Can't perform a React state update on an unmounted component. 那么如何实现此目标,以便在每次重新加载窗口时都对用户进行身份验证?我正在寻找某种componentWillMount

1 个答案:

答案 0 :(得分:2)

类似的事情可行(其中isUserLogged是来自redux的道具):

function PrivateRoute({ component: Component, isUserLogged, ...rest }) {
  const [isLoading, setLoading] = useState(true);
  const [isAuthenticated, setAuth] = useState(false);
  useEffect(() => {
    const fetchLogged = async () => {
      try {
        setLoading(true);
        const url = new URL(fetchUrl);
        const fetchedUrl = await fetchApi(url);
        setAuth(fetchedUrl.body.isAllowed);
        setLoading(false);
      } catch (error) {
        setLoading(false);
      }
    };
    fetchLogged();
  }, []);
  return (
    <Route
      {...rest}
      render={props =>
        // eslint-disable-next-line no-nested-ternary
        isUserLogged || isAuthenticated ? (
          <Component {...props} />
        ) : isLoading ? (
          <Spin size="large" />
        ) : (
          <Redirect
            to={{
              pathname: '/login',
            }}
          />
        )
      }
    />
  );
}