React-router:如何手动调用 Link?

IT技术 javascript reactjs react-router
2021-02-19 16:09:03

我是 ReactJS 和 React-Router 的新手。我有一个组件,它通过 props 接收<Link/>来自react-router对象每当用户单击此组件内的“下一步”按钮时,我都想<Link/>手动调用对象。

现在,我正在使用refs访问支持实例并手动单击<Link/>生成的“a”标签

问题:有没有办法手动调用链接(例如this.props.next.go)?

这是我目前的代码:

//in MasterPage.js
var sampleLink = <Link to="/sample">Go To Sample</Link>
<Document next={sampleLink} />

//in Document.js
...
var Document = React.createClass({
   _onClickNext: function() {
      var next = this.refs.next.getDOMNode();
      next.querySelectorAll('a').item(0).click(); //this sounds like hack to me
   },
   render: function() {
      return (
         ...
         <div ref="next">{this.props.next} <img src="rightArrow.png" onClick={this._onClickNext}/></div>
         ...
      );
   }
});
...

这是我想要的代码:

//in MasterPage.js
var sampleLink = <Link to="/sample">Go To Sample</Link>
<Document next={sampleLink} />

//in Document.js
...
var Document = React.createClass({
   render: function() {
      return (
         ...
         <div onClick={this.props.next.go}>{this.props.next.label} <img src="rightArrow.png" /> </div>
         ...
      );
   }
});
...
6个回答

React Router v5 - React 16.8+ with Hooks(2020 年 9 月 23 日更新)

如果您正在利用React Hooks,则可以利用useHistory来自 React Router v5API。

import React, {useCallback} from 'react';
import {useHistory} from 'react-router-dom';

export default function StackOverflowExample() {
  const history = useHistory();
  const handleOnClick = useCallback(() => history.push('/sample'), [history]);

  return (
    <button type="button" onClick={handleOnClick}>
      Go home
    </button>
  );
}

如果您不想使用,另一种编写点击处理程序的方法 useCallback

const handleOnClick = () => history.push('/sample');

React Router v4 - 重定向组件

v4 推荐的方法是允许您的渲染方法捕获重定向。使用 state 或 props 来确定是否需要显示重定向组件(然后触发重定向)。

import { Redirect } from 'react-router';

// ... your class implementation

handleOnClick = () => {
  // some action...
  // then redirect
  this.setState({redirect: true});
}

render() {
  if (this.state.redirect) {
    return <Redirect push to="/sample" />;
  }

  return <button onClick={this.handleOnClick} type="button">Button</button>;
}

参考:https : //reacttraining.com/react-router/web/api/Redirect

React Router v4 - 参考路由器上下文

您还可以利用Router暴露给 React 组件的上下文。

static contextTypes = {
  router: PropTypes.shape({
    history: PropTypes.shape({
      push: PropTypes.func.isRequired,
      replace: PropTypes.func.isRequired
    }).isRequired,
    staticContext: PropTypes.object
  }).isRequired
};

handleOnClick = () => {
  this.context.router.push('/sample');
}

这就是<Redirect />引擎盖下的工作方式。

参考:https : //github.com/ReactTraining/react-router/blob/master/packages/react-router/modules/Redirect.js#L46,L60

React Router v4 - 外部变异历史对象

如果你仍然需要做一些类似于 v2 的实现,你可以创建一个副本,BrowserRouter然后将 公开history为一个可导出的常量。下面是一个基本示例,但如果需要,您可以编写它以将其注入可自定义的props。有关于生命周期的注意事项,但它应该总是重新渲染路由器,就像在 v2 中一样。这对于在来自操作函数的 API 请求之后重定向非常有用。

// browser router file...
import createHistory from 'history/createBrowserHistory';
import { Router } from 'react-router';

export const history = createHistory();

export default class BrowserRouter extends Component {
  render() {
    return <Router history={history} children={this.props.children} />
  }
}

// your main file...
import BrowserRouter from './relative/path/to/BrowserRouter';
import { render } from 'react-dom';

render(
  <BrowserRouter>
    <App/>
  </BrowserRouter>
);

// some file... where you don't have React instance references
import { history } from './relative/path/to/BrowserRouter';

history.push('/sample');

最新BrowserRouter扩展:https : //github.com/ReactTraining/react-router/blob/master/packages/react-router-dom/modules/BrowserRouter.js

react-router v2

将新状态推送到browserHistory实例:

import {browserHistory} from 'react-router';
// ...
browserHistory.push('/sample');

参考:https : //github.com/reactjs/react-router/blob/master/docs/guides/NavigatingOutsideOfComponents.md

hashHistory.push('/sample'); 如果您使用 hashHistory 而不是 browserHistory
2021-04-21 16:09:03
@jokab 你可以使用 <NavLink /> 而不是 <Link /> github.com/ReactTraining/react-router/blob/master/packages / ...
2021-04-25 16:09:03
重定向对我不起作用,但使用 withRouter 的 aw04 解决方案更简单且有效
2021-05-01 16:09:03
请注意重定向选项,您必须指定推送(即 <Redirect push />)。默认情况下,它会进行替换,这与手动调用链接完全不同
2021-05-11 16:09:03
这在 material-ui 库中特别有用,因为使用 containerElement={<Link to="/" />} 并不总是调用链接
2021-05-14 16:09:03

React Router 4 包含一个withRouter HOC,它允许您history通过this.props以下方式访问对象

import React, {Component} from 'react'
import {withRouter} from 'react-router-dom'

class Foo extends Component {
  constructor(props) {
    super(props)

    this.goHome = this.goHome.bind(this)
  }

  goHome() {
    this.props.history.push('/')
  }

  render() {
    <div className="foo">
      <button onClick={this.goHome} />
    </div>
  }
}

export default withRouter(Foo)
搜索了一小时后,这个解决方案终于奏效了。谢谢!
2021-04-25 16:09:03
这是最好的解决方案。我不明白为什么它的票数如此之少。
2021-04-28 16:09:03
@VladyslavTereshyn 你可以添加一些条件逻辑: if ((this.props.location.pathname + this.props.location.search) !== navigateToPath) { ... }
2021-05-03 16:09:03
这对我有用,看起来是最简单的解决方案。
2021-05-08 16:09:03
是的,您可以单击链接几次,浏览器返回将不起作用。你需要点击浏览器返回几次才能真正返回
2021-05-14 16:09:03

5.x 版本中,您可以使用以下useHistory钩子react-router-dom

// Sample extracted from https://reacttraining.com/react-router/core/api/Hooks/usehistory
import { useHistory } from "react-router-dom";

function HomeButton() {
  const history = useHistory();

  function handleClick() {
    history.push("/home");
  }

  return (
    <button type="button" onClick={handleClick}>
      Go home
    </button>
  );
}
这似乎是最现代的反应式解决方案。
2021-04-20 16:09:03
我需要声明history变量,useHistory().push钩子规则不允许目录调用
2021-05-03 16:09:03
这是最好的解决方案。如果添加一些条件逻辑,则可以避免用户多次单击同一按钮时历史记录中出现重复条目​​:if ((routerHistory.location.pathname + routerHistory.location.search) !== navigateToPath) { routerHistory.push(navigateToPath); }
2021-05-12 16:09:03
这很好 👌 并且在 v5.x 上的课外工作使用箭头函数可以进一步简化为 onClick={ () => history.push('/home') }
2021-05-12 16:09:03

https://github.com/rackt/react-router/blob/bf89168acb30b6dc9b0244360bcbac5081cf6b38/examples/transitions/app.js#L50

或者你甚至可以尝试执行 onClick 这个(更暴力的解决方案):

window.location.assign("/sample");
随着代码行的变化,如果您复制详细信息并在此处解释您的答案,您的答案会更好。此外,assign它不是一个属性,它是一个函数。
2021-04-21 16:09:03
这将重新加载页面@grechut,对于具有反应路由器的应用程序而言,这不是所需的行为。
2021-04-28 16:09:03
我在 React 之外处理了几个页面(带有 FB 和 Google 重定向的登录屏幕),所以我需要在这些页面的导航中使用它,因为“browserHistory.push('/home');” 只更改了 URL,无法路由页面。谢谢你。
2021-05-01 16:09:03
(但您仍然只有指向文件特定行的链接)。请在您的答案中包含具体建议,而不仅仅是链接。
2021-05-11 16:09:03
感谢您的回答@grechut。但是,我想确保 Document 根本不了解路由器。我期望的行为是:“如果用户单击右箭头,则调用下一个函数”。下一个函数可能是链接,也可能不是。
2021-05-14 16:09:03

好的,我想我能够为此找到合适的解决方案。

现在,我没有将<Link/>作为props发送到 Document,而是发送<NextLink/>它是 react-router 链接的自定义包装器。通过这样做,我可以将右箭头作为链接结构的一部分,同时仍然避免在 Document 对象中包含路由代码。

更新后的代码如下所示:

//in NextLink.js
var React = require('react');
var Right = require('./Right');

var NextLink = React.createClass({
    propTypes: {
        link: React.PropTypes.node.isRequired
    },

    contextTypes: {
        transitionTo: React.PropTypes.func.isRequired
    },

    _onClickRight: function() {
        this.context.transitionTo(this.props.link.props.to);
    },

    render: function() {
        return (
            <div>
                {this.props.link}
                <Right onClick={this._onClickRight} />
            </div>  
        );
    }
});

module.exports = NextLink;

...
//in MasterPage.js
var sampleLink = <Link to="/sample">Go To Sample</Link>
var nextLink = <NextLink link={sampleLink} />
<Document next={nextLink} />

//in Document.js
...
var Document = React.createClass({
   render: function() {
      return (
         ...
         <div>{this.props.next}</div>
         ...
      );
   }
});
...

PS:如果您使用的是最新版本的react,路由器,你可能需要使用this.context.router.transitionTo代替this.context.transitionTo此代码适用于 react-router 版本 0.12.X。