直接访问路线时的历史回复

时间:2018-05-01 08:43:11

标签: reactjs react-router browser-history

在我的反应应用程序中,我保护了路径,例如/ admin。 如果用户访问此路由但无权查看该页面,我将使用/禁止路由替换该路由。

如果请求来自应用路由,用户可以在禁止页面上按下后退按钮,该按钮工作正常。

如果用户直接通过浏览器访问此路线,我该怎么办? 我希望用户返回到开始页面,但目前他被重定向到我的oidc提供者页面。

1 个答案:

答案 0 :(得分:0)

我不知道您使用的是react-router的版本。它在反应路由器4中工作正常。

const AuthExample = () => (
  <Router>
    <div>
      <AuthButton />
      <ul>
        <li>
          <Link to="/public">Public Page</Link>
        </li>
        <li>
          <Link to="/protected">Protected Page</Link>
        </li>
      </ul>
      <Route path="/public" component={Public} />
      <Route path="/login" component={Login} />
      <PrivateRoute path="/protected" component={Protected} />
    </div>
  </Router>
);

const fakeAuth = {
  isAuthenticated: false,
  authenticate(cb) {
    this.isAuthenticated = true;
    setTimeout(cb, 100); // fake async
  },
  signout(cb) {
    this.isAuthenticated = false;
    setTimeout(cb, 100);
  }
};

const AuthButton = withRouter(
  ({ history }) =>
    fakeAuth.isAuthenticated ? (
      <p>
        Welcome!{" "}
        <button
          onClick={() => {
            fakeAuth.signout(() => history.push("/"));
          }}
        >
          Sign out
        </button>
      </p>
    ) : (
      <p>You are not logged in.</p>
    )
);

const PrivateRoute = ({ component: Component, ...rest }) => (
  <Route
    {...rest}
    render={props =>
      fakeAuth.isAuthenticated ? (
        <Component {...props} />
      ) : (
        <Redirect
          to={{
            pathname: "/login",
            state: { from: props.location }
          }}
        />
      )
    }
  />
);

const Public = () => <h3>Public</h3>;
const Protected = () => <h3>Protected</h3>;

class Login extends React.Component {
  state = {
    redirectToReferrer: false
  };

  login = () => {
    fakeAuth.authenticate(() => {
      this.setState({ redirectToReferrer: true });
    });
  };

  render() {
    const { from } = this.props.location.state || { from: { pathname: "/" } };
    const { redirectToReferrer } = this.state;

    if (redirectToReferrer) {
      return <Redirect to={from} />;
    }

    return (
      <div>
        <p>You must log in to view the page at {from.pathname}</p>
        <button onClick={this.login}>Log in</button>
      </div>
    );
  }
}

render(<AuthExample />, document.getElementById('root')); 
  1. 查看以下链接中的工作示例。 [https://stackblitz.com/edit/react-rxexop]
  2. 查看react-router 4文档以供参考。我只从那里参考。 [https://reacttraining.com/react-router/web/example/auth-workflow]