React-router ile başka bir rotaya yönlendirme nasıl yapılır?


103

Başka bir görünüme yönlendirmek için react-router'ı ( sürüm ^ 1.0.3 ) kullanarak A BASİT yapmaya çalışıyorum ve sadece yoruluyorum.

import React from 'react';
import {Router, Route, Link, RouteHandler} from 'react-router';


class HomeSection extends React.Component {

  static contextTypes = {
    router: PropTypes.func.isRequired
  };

  constructor(props, context) {
    super(props, context);
  }

  handleClick = () => {
    console.log('HERE!', this.contextTypes);
    // this.context.location.transitionTo('login');
  };

  render() {
    return (
      <Grid>
        <Row className="text-center">          
          <Col md={12} xs={12}>
            <div className="input-group">
              <span className="input-group-btn">
                <button onClick={this.handleClick} type="button">
                </button>
              </span>
            </div>
          </Col>
        </Row>
      </Grid>
    );
  }
};

HomeSection.contextTypes = {
  location() {
    React.PropTypes.func.isRequired
  }
}

export default HomeSection;

tek ihtiyacım olan kullanımı '/ login' adresine göndermek ve hepsi bu.

Ne yapabilirim ?

konsoldaki hatalar:

Yakalanmamış Referans Hatası: PropTypes tanımlanmadı

rotalarımla dosyala

// LIBRARY
/*eslint-disable no-unused-vars*/
import React from 'react';
/*eslint-enable no-unused-vars*/
import {Route, IndexRoute} from 'react-router';

// COMPONENT
import Application from './components/App/App';
import Contact from './components/ContactSection/Contact';
import HomeSection from './components/HomeSection/HomeSection';
import NotFoundSection from './components/NotFoundSection/NotFoundSection';
import TodoSection from './components/TodoSection/TodoSection';
import LoginForm from './components/LoginForm/LoginForm';
import SignupForm from './components/SignupForm/SignupForm';

export default (
    <Route component={Application} path='/'>
      <IndexRoute component={HomeSection} />
      <Route component={HomeSection} path='home' />
      <Route component={TodoSection} path='todo' />
      <Route component={Contact} path='contact' />
      <Route component={LoginForm} path='login' />
      <Route component={SignupForm} path='signup' />
      <Route component={NotFoundSection} path='*' />
    </Route>
);

Selam! routesTanımlarınızı gönderebilir misiniz ve ayrıca Linkbileşeni kullanmamanın bir nedeni varsa ? Ayrıca, aldığınız hataları da belirtin.
aarosil

Düğme yerine <Link to="/login">Log In</Link>?
aarosil

Ayrıca react-router'ın hangi sürümünü kullanıyorsunuz? Prosedürel olarak yeniden yönlendirme için kod, ana sürümler arasında değişmiştir.
mjhm

4
İçin Uncaught ReferenceError, siz aradığınız PropTypesama bunu içe değilsiniz, kendisi veya kullanımı gibi PropTypes içe gerekReact.PropTypes
aarosil

1
@JoshDavidMiller iyi bir nokta ancak react-router5 dakika içinde api değişikliğine
şaşırmayacağım

Yanıtlar:


33

Basit cevap Linkiçin react-router, yerine bileşenini kullanabilirsiniz button. JS'de rotayı değiştirmenin yolları var, ancak burada buna ihtiyacınız yok gibi görünüyor.

<span className="input-group-btn">
  <Link to="/login" />Click to login</Link>
</span>

Bunu 1.0.x'de programlı olarak yapmak için, clickHandler işlevinizin içinde şunu yaparsınız:

this.history.pushState(null, 'login');

Buradaki yükseltme belgesinden alınmıştır

this.historyRota işleyici bileşeninize tarafından yerleştirilmiş olmanız gerekir react-router. Tanımda belirtilenin altında alt bileşen varsa, bunu routesdaha fazla aktarmanız gerekebilir


2
bu harika bir çözüm, ancak kullanmamamın nedeni, önce bir tür doğrulama gibi yapmam gerektiğidir, bu yüzden bunu bir işleve koymam gerekiyor, örneğin: if (true) { // redirect to login}bu yüzden onu bir onClick'e koyuyorum fonksiyonu
tepki gösteren

5
Ayrıca JSX o yapabilirsiniz: {validation && <Link to="/login" />Click to login</Link>}. Doğrulama yanlışsa, hiçbir şey görüntülenmez.
aarosil

Ne demek istediğini anlıyorum, ama düğmenin orada olmasına ihtiyacım var, eğer doğrulama doğruysa, o zaman yeniden yönlendir, yoksa bir hata mesajı gelmelidir.
tepki gösteren

@TheUnnamed JS'de nasıl yapıldığını göstermek için cevabı güncelledim
aarosil

1
> Yakalanmamış TypeError: undefined öğesinin 'pushState' özelliği okunamıyor
tepki

118

1) react-router> V5 useHistorykancası:

Eğer React >= 16.8işlevsel bileşenleriniz varsa, useHistory react-router'dan kancayı kullanabilirsiniz .

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

const YourComponent = () => {
    const history = useHistory();

    const handleClick = () => {
        history.push("/path/to/push");
    }

    return (
        <div>
            <button onClick={handleClick} type="button" />
        </div>
    );
}

export default YourComponent;

2) react-yönlendirici> V4 withRouterHOC:

@Ambar'ın yorumlarda bahsettiği gibi, React-router, V4.0'dan beri kod tabanını değiştirdi. İşte belgeler - resmi , withRouter

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

class YourComponent extends Component {
    handleClick = () => {
        this.props.history.push("path/to/push");
    }

    render() {
        return (
            <div>
                <button onClick={this.handleClick} type="button">
            </div>
        );
    };
}

export default withRouter(YourComponent);

3) React-yönlendirici <V4 ile browserHistory

Bu işlevselliği react-router'ı kullanarak elde edebilirsiniz BrowserHistory. Aşağıdaki kod:

import React, { Component } from 'react';
import { browserHistory } from 'react-router';

export default class YourComponent extends Component {
    handleClick = () => {
        browserHistory.push('/login');
    };

    render() {
        return (
            <div>
                <button onClick={this.handleClick} type="button">
            </div>
        );
    };
}

4) Redux connected-react-router

Eğer redux ile bileşeni bağladıysanız ve yapılandırılmış varsa bağlı-tepki-yönlendirici yapmanız gereken tek şey this.props.history.push("/new/url");, yani sen gerekmez withRouterenjekte etmek HOC historybileşen sahne için.

// reducers.js
import { combineReducers } from 'redux';
import { connectRouter } from 'connected-react-router';

export default (history) => combineReducers({
    router: connectRouter(history),
    ... // rest of your reducers
});


// configureStore.js
import { createBrowserHistory } from 'history';
import { applyMiddleware, compose, createStore } from 'redux';
import { routerMiddleware } from 'connected-react-router';
import createRootReducer from './reducers';
...
export const history = createBrowserHistory();

export default function configureStore(preloadedState) {
    const store = createStore(
        createRootReducer(history), // root reducer with router state
        preloadedState,
        compose(
            applyMiddleware(
                routerMiddleware(history), // for dispatching history actions
                // ... other middlewares ...
            ),
        ),
    );

    return store;
}


// set up other redux requirements like for eg. in index.js
import { Provider } from 'react-redux';
import { Route, Switch } from 'react-router';
import { ConnectedRouter } from 'connected-react-router';
import configureStore, { history } from './configureStore';
...
const store = configureStore(/* provide initial state if any */)

ReactDOM.render(
    <Provider store={store}>
        <ConnectedRouter history={history}>
            <> { /* your usual react-router v4/v5 routing */ }
                <Switch>
                    <Route exact path="/yourPath" component={YourComponent} />
                </Switch>
            </>
        </ConnectedRouter>
    </Provider>,
    document.getElementById('root')
);


// YourComponent.js
import React, { Component } from 'react';
import { connect } from 'react-redux';
...

class YourComponent extends Component {
    handleClick = () => {
        this.props.history.push("path/to/push");
    }

    render() {
        return (
          <div>
            <button onClick={this.handleClick} type="button">
          </div>
        );
      }
    };

}

export default connect(mapStateToProps = {}, mapDispatchToProps = {})(YourComponent);

3
Görünüşe göre 'browserHistory' artık react-router'ın bir parçası değil.
ambar

BrowserRouter'ın bir itme işlevi yok
johnnyodonnell

@ambar @johnnyodonnell react-router-domdoes
toinetoine

Bu en iyi cevap. Bunu doğru olarak işaretlemelisiniz.
Solomon Bush,

25

React-router ile başka bir rotaya yönlendirme nasıl yapılır?

Örneğin, bir kullanıcı bir bağlantıyı tıkladığında, <Link to="/" />Click to route</Link>react-router arayacaktır ve kullanıcıyı giriş yolu gibi başka bir yere /kullanabilir Redirect tove gönderebilirsiniz.

Gönderen docs için ReactRouterTraining :

Bir <Redirect>oluşturma, yeni bir konuma gidecektir. Yeni konum, sunucu tarafı yönlendirmelerinde (HTTP 3xx) yaptığı gibi, geçmiş yığınındaki geçerli konumu geçersiz kılar.

import { Route, Redirect } from 'react-router'

<Route exact path="/" render={() => (
  loggedIn ? (
    <Redirect to="/dashboard"/>
  ) : (
    <PublicHomePage/>
  )
)}/>

to: string, Yönlendirilecek URL.

<Redirect to="/somewhere/else"/>

kime: nesne, Yönlendirilecek konum.

<Redirect to={{
  pathname: '/login',
  search: '?utm=your+face',
  state: { referrer: currentLocation }
}}/>

Sağlanan çözüm bir hata verir <Redirect> elements are for router configuration only and should not be rendered.
t1gor

12

Web için en kolay çözüm!

Güncel 2020
, aşağıdakilerle çalışmayı onayladı:

"react-router-dom": "^5.1.2"
"react": "^16.10.2"

useHistory()Kancayı kullan !

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


export function HomeSection() {
  const history = useHistory();
  const goLogin = () => history.push('login');

  return (
    <Grid>
      <Row className="text-center">          
        <Col md={12} xs={12}>
          <div className="input-group">
            <span className="input-group-btn">
              <button onClick={goLogin} type="button" />
            </span>
          </div>
        </Col>
      </Row>
    </Grid>
  );
}

Mükemmel, bunu yapmanın en iyi yolunu arıyordu! IDE'mde "Sembol çözülemiyor ..." uyarısı olsa da işe yarıyor!
Rafael Moni

Harika, aradığım buydu ve burada çalışıyor
nanquim

7

React-router v2.8.1 ile (muhtemelen diğer 2.xx sürümleri de, ancak test etmedim) bu uygulamayı bir Yönlendirici yeniden yönlendirmesi yapmak için kullanabilirsiniz.

import { Router } from 'react-router';

export default class Foo extends Component {

  static get contextTypes() {
    return {
      router: React.PropTypes.object.isRequired,
    };
  }

  handleClick() {
    this.context.router.push('/some-path');
  }
}

bazen: this.context.router.history.push ('/ bir-yol');
象 嘉 道

5

En basit çözüm şudur:

import { Redirect } from 'react-router';

<Redirect to='/componentURL' />

Ancak bir Hata alıyorum: Değişmez başarısız oldu: <Yönlendir> 'i bir <Yönlendirici> dışında kullanmamalısınız
Prateek Gupta

Sarmayı denedin mi
Jackkobec
Sitemizi kullandığınızda şunları okuyup anladığınızı kabul etmiş olursunuz: Çerez Politikası ve Gizlilik Politikası.
Licensed under cc by-sa 3.0 with attribution required.