반응 라우터 : 수동으로 링크를 호출하는 방법?


131

ReactJS와 React-Router를 처음 사용합니다. prop -router<Link/> 로부터 객체 를 props 통해받는 구성 요소가 있습니다. 사용자 가이 구성 요소 내에서 '다음'버튼을 클릭 할 때마다 객체를 수동으로 호출하려고합니다 .<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>
         ...
      );
   }
});
...

답변:


199

React Router v4-Redirect Component (2017/04/15 업데이트)

v4 권장 방법은 렌더 메소드가 리디렉션을 포착 할 수 있도록하는 것입니다. 상태 또는 소품을 사용하여 리디렉션 구성 요소를 표시해야하는지 확인한 다음 리디렉션을 트리거합니다.

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

라우터 v4 반응-참조 라우터 컨텍스트

RouterReact 컴포넌트에 노출 된 컨텍스트를 활용할 수도 있습니다 .

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의 구현과 유사한 작업을 수행해야하는 경우 사본을 생성 한 BrowserRouterhistory내보내기 가능한 상수로 노출 할 수 있습니다 . 아래는 기본 예이지만 필요한 경우 사용자 정의 가능한 소품으로 주입하도록 작성할 수 있습니다. 수명주기에 대한주의 사항이 있지만 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

라우터 v2 반응

browserHistory인스턴스에 새 상태를 푸시하십시오 .

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

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


7
hashHistory.push ( '/ sample'); 대신 browserHistory의 hashHistory를 사용하는 경우
sanath_p

1
containerElement = {<Link to = "/"/>}를 사용하는 것이 항상 링크를 호출하지는 않으므로 material-ui 라이브러리에서 특히 유용합니다.
Vishal Disawar

2
리디렉션 옵션을 사용하면 push를 지정해야합니다 (예 : <Redirect push />). 기본적으로 링크를 수동으로 호출하는 것과 전혀 다른 교체를 수행합니다.
aw04

1
@jokab 당신은 <Link /> 대신 <NavLink />를 사용할 수 있습니다. github.com/ReactTraining/react-router/blob/master/packages/…
Matt Lo

1
리디렉션 나를 위해 작동하지 않습니다,하지만 withRouter와 aw04 솔루션은 더 간단하고 작업입니다
stackdave

90

React Router 4에는 다음을 통해 객체에 액세스 할 수 있는 withRouter HOC 가 포함되어 있습니다 .historythis.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)

9
이것은 저에게 효과적이며 가장 간단한 해결책처럼 보입니다.
Rubycut

5
이것이 가장 좋은 해결책입니다. 나는 왜 투표가 그렇게 적은지 이해하지 못한다.
Benoit

1
예, 링크를 몇 번 클릭하면 브라우저가 다시 작동하지 않습니다. 다시 돌아가려면 브라우저를 다시 클릭해야합니다.
Vladyslav Tereshyn

@VladyslavTereshyn 조건부 로직을 추가 할 수 있습니다 : if ((this.props.location.pathname + this.props.location.search)! == navigateToPath) {...}
MattWeiler

15

에서 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>
  );
}

이것이 가장 좋은 해결책입니다. 조건부 논리를 추가하면 사용자가 동일한 버튼을 여러 번 클릭 할 때 기록에서 중복 항목을 피할 수 있습니다.if ((routerHistory.location.pathname + routerHistory.location.search) !== navigateToPath) { routerHistory.push(navigateToPath); }
MattWeiler

내가 선언하는 데 필요한 history변수를, 디렉토리 호출은 useHistory().push후크 규칙에 의해 허용되지 않습니다
onmyway133

이것은 가장 현대적인 반응이 쉬운 솔루션 인 것 같습니다.
영재

8

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

또는 onClick을 실행 해 볼 수도 있습니다 (더 강력한 솔루션).

window.location.assign("/sample");

코드 라인이 변경되면 세부 정보를 복사하고 여기에 답변을 설명하면 답변이 더 좋습니다. 또한 assign속성이 아니라 함수입니다.
WiredPrairie

(그러나 여전히 파일의 특정 줄에 대한 링크가 있습니다). 링크가 아닌 답변에 구체적인 제안을 포함하십시오.
WiredPrairie

귀하의 답변 @grechut에 감사드립니다. 그러나 Document가 라우터에 대해 전혀 알지 못하도록하고 싶습니다. 내가 기대하는 동작은 '사용자가 오른쪽 화살표를 클릭하면 다음 함수를 호출하십시오'입니다. 다음 기능은 링크 일 수도 있고 아닐 수도 있습니다.
Alan Souza

React 외부에서 처리되는 두 페이지 (FB 및 Google 리디렉션이있는 로그인 화면)가 있으므로 "browserHistory.push ( '/ home');"이후 해당 페이지의 탐색 메뉴에서이 페이지가 필요했습니다. URL 만 변경하여 페이지를 라우팅 할 수 없습니다. 감사합니다.
Deborah

7
리 액트 라우터가있는 응용 프로그램에서 원하는 동작이 아닌 @grechut 페이지를 다시로드합니다.
Abhas

2

좋아, 나는 그것에 대한 적절한 해결책을 찾을 수 있다고 생각한다.

이제 문서 <Link/>소품 으로 보내는 대신 <NextLink/>반응 라우터 링크에 대한 사용자 정의 래퍼 인을 보냅니다 . 이렇게하면 문서 구조 안에 라우팅 코드가 없어도 링크 구조의 일부로 오른쪽 화살표를 사용할 수 있습니다.

업데이트 된 코드는 다음과 같습니다.

//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>
         ...
      );
   }
});
...

추신 : 최신 버전의 반응 라우터를 사용 this.context.router.transitionTo하는 경우 대신 대신 사용해야 할 수도 있습니다 this.context.transitionTo. 이 코드는 반응 라우터 버전 0.12.X에서 잘 작동합니다.


2

반응 라우터 4

v4의 컨텍스트를 통해 push 메소드를 쉽게 호출 할 수 있습니다.

this.context.router.push(this.props.exitPath);

컨텍스트는 다음과 같습니다.

static contextTypes = {
    router: React.PropTypes.object,
};

를 사용하여 BrowserRouter구성 요소의 컨텍스트 객체에 router객체가 없습니다. 내가 잘못하고 있습니까?
pilau

컴포넌트에서 컨텍스트를 설정하고 있습니까 (위의 두 번째 블록)?
Chris

들러 주셔서 감사합니다! 결국 이것은 나를 위해 일했다 : router: React.PropTypes.object.isRequired. isRequired키 가 없으면 왜 작동하지 않는지 모르겠습니다 . 또한 컨텍스트 <Link>를 얻을 수있는 것 같지만 history복제 할 수 없었습니다.
pilau

흥미로운 것-만약 당신이 코드 펜을 올리면 여전히 붙어 있다면 디버깅하는데 도움을 줄 수 있습니다
Chris

this.props.history.push()React Router v4에서 사용할 수있는 것 같습니다 . React Router가 전달하는 소품을 검사하여 이것을 발견했습니다. 작동하는 것 같지만 좋은 아이디어인지 확실하지 않습니다.
sean_j_roberts

-1

다시 이것은 JS입니다 :) 이것은 여전히 ​​작동합니다 ....

var linkToClick = document.getElementById('something');
linkToClick.click();

<Link id="something" to={/somewhaere}> the link </Link>
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.