编程语言
首页 > 编程语言> > javascript – React router v4使用声明性重定向而不渲染当前组件

javascript – React router v4使用声明性重定向而不渲染当前组件

作者:互联网

我在用户登录后使用类似的代码(如this)在我的应用程序中重定向.代码如下所示:

import React, { Component } from 'react'
import { Redirect } from 'react-router'

export default class LoginForm extends Component {
  constructor () {
    super();
    this.state = {
      fireRedirect: false
    }
  }

  submitForm = (e) => {
    e.preventDefault()
    //if login success
    this.setState({ fireRedirect: true })
  }

  render () {
    const { from } = this.props.location.state || '/'
    const { fireRedirect } = this.state

    return (
      <div>
        <form onSubmit={this.submitForm}>
          <button type="submit">Submit</button>
        </form>
        {fireRedirect && (
          <Redirect to={from || '/home'}/>
        )}
      </div>
    )

  }
}

触发成功登录后正常工作.但有一种情况是,登录用户进入登录页面并应自动重定向到“主页”页面(或任何其他页面).

如何在不渲染当前组件的情况下使用Redirect组件(根据我的理解discouraged)必须推送到历史记录(例如在componentWillMount中)?

解决方法:

解决方案1

您可以使用withRouter HOC通过props访问历史记录.

导入withRouter.

import {
  withRouter
} from 'react-router-dom';

然后用HOC包裹.

// Example code
export default withRouter(connect(...))(Component)

现在您可以访问this.props.history.与componentWillMount()一起使用.

componentWillMount() {
  const { history } = this.props;

  if (this.props.authenticated) {
    history.push('/private-route');
  }
}

解决方案2好多了

这是reacttraining的例子.

哪个对你有用.

但是您只需要创建LoginRoute来处理您描述的问题.

const LoginRoute = ({ component: Component, ...rest }) => (
  <Route
    {...rest} render={props => (
    fakeAuth.isAuthenticated ? (
        <Redirect to={{
          pathname: '/private-route',
          state: { from: props.location }
        }} />
      ) : (
        <Component {...props} />
      )
  )} />
);

在里面<路由器/>只是替换

<Route path="/login" component={Login}/>

<LoginRoute path="/login" component={Login}/>

现在,每当有人尝试访问/登录路由作为经过身份验证的用户时,他将被重定向到/ private-route.这是更好的解决方案,因为如果不满足条件,它不会挂载您的LoginComponent.

标签:javascript,reactjs,react-router-v4
来源: https://codeday.me/bug/20190722/1501291.html