Jak używać przekierowania w nowym React-router-dom w Reactjs

132

Używam ostatniej wersji modułu React-router, o nazwie React-router-dom, który stał się domyślnym narzędziem podczas tworzenia aplikacji internetowych w React. Chcę wiedzieć, jak wykonać przekierowanie po żądaniu POST. Robiłem ten kod, ale po prośbie nic się nie dzieje. Przeglądam w sieci, ale wszystkie dane dotyczą poprzednich wersji routera reagującego, a nie z ostatnią aktualizacją.

Kod:

import React, { PropTypes } from 'react';
import ReactDOM from 'react-dom';
import { BrowserRouter } from 'react-router-dom';
import { Redirect } from 'react-router'

import SignUpForm from '../../register/components/SignUpForm';
import styles from './PagesStyles.css';
import axios from 'axios';
import Footer from '../../shared/components/Footer';

class SignUpPage extends React.Component {
  constructor(props) {
    super(props);

    this.state = {
      errors: {},
      client: {
        userclient: '',
        clientname: '',
        clientbusinessname: '',
        password: '',
        confirmPassword: ''
      }
    };

    this.processForm = this.processForm.bind(this);
    this.changeClient = this.changeClient.bind(this);
  }

  changeClient(event) {
    const field = event.target.name;
    const client = this.state.client;
    client[field] = event.target.value;

    this.setState({
      client
    });
  }

  async processForm(event) {
    event.preventDefault();

    const userclient = this.state.client.userclient;
    const clientname = this.state.client.clientname;
    const clientbusinessname = this.state.client.clientbusinessname;
    const password = this.state.client.password;
    const confirmPassword = this.state.client.confirmPassword;
    const formData = { userclient, clientname, clientbusinessname, password, confirmPassword };

    axios.post('/signup', formData, { headers: {'Accept': 'application/json'} })
      .then((response) => {
        this.setState({
          errors: {}
        });

        <Redirect to="/"/> // Here, nothings happens
      }).catch((error) => {
        const errors = error.response.data.errors ? error.response.data.errors : {};
        errors.summary = error.response.data.message;

        this.setState({
          errors
        });
      });
  }

  render() {
    return (
      <div className={styles.section}>
        <div className={styles.container}>
          <img src={require('./images/lisa_principal_bg.png')} className={styles.fullImageBackground} />
          <SignUpForm 
            onSubmit={this.processForm}
            onChange={this.changeClient}
            errors={this.state.errors}
            client={this.state.client}
          />
          <Footer />
        </div>
      </div>
    );
  }
}

export default SignUpPage;
maoooricio
źródło
1
Twój Redirectwygląd przypomina JSX, a nie JS.
elmeister
czy możesz podać cały kod komponentu
KornholioBeavis
Tak, używam JSX. Cóż, może muszę to wyjaśnić. Żądanie POST znajduje się wewnątrz komponentu REACT, który wysyła żądanie.
maoooricio,
@KornholioBeavis, jasne, teraz możesz zobaczyć kompletne. Robię serwer za pomocą expressjs, nie wiem, czy potrzebujesz tych danych
maoooricio
Czy możesz potwierdzić, że otrzymujesz odpowiedź zwrotną z axios.post? Dlaczego używasz funkcji async bez czekania w dowolnym miejscu?
KornholioBeavis

Odpowiedzi:

200

Musisz użyć, setStateaby ustawić właściwość, która będzie renderować <Redirect>wnętrze twojej render()metody.

Na przykład

class MyComponent extends React.Component {
  state = {
    redirect: false
  }

  handleSubmit () {
    axios.post(/**/)
      .then(() => this.setState({ redirect: true }));
  }

  render () {
    const { redirect } = this.state;

     if (redirect) {
       return <Redirect to='/somewhere'/>;
     }

     return <RenderYourForm/>;
}

Możesz również zobaczyć przykład w oficjalnej dokumentacji: https://reacttraining.com/react-router/web/example/auth-workflow


To powiedziawszy, sugerowałbym, abyś umieścił wywołanie API wewnątrz usługi lub czegoś takiego. Wtedy możesz po prostu użyć historyobiektu do programowego trasowania. Tak działa integracja z Reduxem .

Ale myślę, że masz swoje powody, by to zrobić w ten sposób.

Sebastian Sebald
źródło
1
@sebastian Sebald co masz na myśli przez: put the API call inside a service or something?
andrea-f
1
Posiadanie takiego (asynchronicznego) wywołania API wewnątrz komponentu utrudni testowanie i ponowne użycie. Zwykle lepiej jest utworzyć usługę, a następnie użyć jej (na przykład) w componentDidMount. Albo jeszcze lepiej, utwórz HOC, który „otacza” Twoje API.
Sebastian Sebald
6
Zwróć uwagę, że musisz dołączyć przekierowanie, aby użyć go na początku pliku: importuj {Redirect} z 'React-router-dom'
Alex
3
Tak, pod maską Redirectdzwoni history.replace. Jeśli chcesz uzyskać dostęp do historyobiektu, użyj withRoutet/ Route.
Sebastian Sebald
1
react-router> = 5.1 zawiera teraz haki, więc możesz po prostuconst history = useHistory(); history.push("/myRoute")
TheDarkIn1978
34

Tutaj mały przykład jako odpowiedź na tytuł, jak wszystkie wspomniane przykłady, jest moim zdaniem skomplikowany, podobnie jak ten oficjalny.

Powinieneś wiedzieć, jak przetransponować es2015, a także umożliwić serwerowi obsługę przekierowania. Oto fragment kodu ekspresowego. Więcej informacji na ten temat można znaleźć tutaj .

Pamiętaj, aby umieścić to poniżej wszystkich innych tras.

const app = express();
app.use(express.static('distApp'));

/**
 * Enable routing with React.
 */
app.get('*', (req, res) => {
  res.sendFile(path.resolve('distApp', 'index.html'));
});

To jest plik .jsx. Zwróć uwagę, że najdłuższa ścieżka jest pierwsza, a get jest bardziej ogólna. W przypadku najbardziej ogólnych tras użyj dokładnego atrybutu.

// Relative imports
import React from 'react';
import ReactDOM from 'react-dom';
import { BrowserRouter, Route, Switch, Redirect } from 'react-router-dom';

// Absolute imports
import YourReactComp from './YourReactComp.jsx';

const root = document.getElementById('root');

const MainPage= () => (
  <div>Main Page</div>
);

const EditPage= () => (
  <div>Edit Page</div>
);

const NoMatch = () => (
  <p>No Match</p>
);

const RoutedApp = () => (
  <BrowserRouter >
    <Switch>
      <Route path="/items/:id" component={EditPage} />
      <Route exact path="/items" component={MainPage} />          
      <Route path="/yourReactComp" component={YourReactComp} />
      <Route exact path="/" render={() => (<Redirect to="/items" />)} />          
      <Route path="*" component={NoMatch} />          
    </Switch>
  </BrowserRouter>
);

ReactDOM.render(<RoutedApp />, root); 
Matthis Kohli
źródło
1
to nie działa przez cały czas. jeśli masz przekierowanie z home/hello>, home/hello/1ale przejdź do home/helloi naciśnij klawisz Enter, nie przekieruje za pierwszym razem. jakieś pomysły, dlaczego?
The Walrus
Jeśli to możliwe, radzę korzystać z aplikacji „create-react-app” i postępować zgodnie z dokumentacją zreak-router. Z aplikacją „create-react-app” wszystko działa dobrze. Nie byłem w stanie dostosować własnej aplikacji React do nowego routera React.
Matthis Kohli
8

React Router v5 umożliwia teraz po prostu przekierowanie przy użyciu history.push () dzięki hookowi useHistory () :

import { useHistory } from "react-router"

function HomeButton() {
  let history = useHistory()

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

  return (
    <button type="button" onClick={handleClick}>
      Go home
    </button>
  )
}
Thanh-Quy Nguyen
źródło
6

Spróbuj czegoś takiego.

import React, { PropTypes } from 'react';
import ReactDOM from 'react-dom';
import { BrowserRouter } from 'react-router-dom';
import { Redirect } from 'react-router'

import SignUpForm from '../../register/components/SignUpForm';
import styles from './PagesStyles.css';
import axios from 'axios';
import Footer from '../../shared/components/Footer';

class SignUpPage extends React.Component {
  constructor(props) {
    super(props);

    this.state = {
      errors: {},
      callbackResponse: null,
      client: {
        userclient: '',
        clientname: '',
        clientbusinessname: '',
        password: '',
        confirmPassword: ''
      }
    };

    this.processForm = this.processForm.bind(this);
    this.changeClient = this.changeClient.bind(this);
  }

  changeClient(event) {
    const field = event.target.name;
    const client = this.state.client;
    client[field] = event.target.value;

    this.setState({
      client
    });
  }

  processForm(event) {
    event.preventDefault();

    const userclient = this.state.client.userclient;
    const clientname = this.state.client.clientname;
    const clientbusinessname = this.state.client.clientbusinessname;
    const password = this.state.client.password;
    const confirmPassword = this.state.client.confirmPassword;
    const formData = { userclient, clientname, clientbusinessname, password, confirmPassword };

    axios.post('/signup', formData, { headers: {'Accept': 'application/json'} })
      .then((response) => {
        this.setState({
          callbackResponse: {response.data},
        });
      }).catch((error) => {
        const errors = error.response.data.errors ? error.response.data.errors : {};
        errors.summary = error.response.data.message;

        this.setState({
          errors
        });
      });
  }

const renderMe = ()=>{
return(
this.state.callbackResponse
?  <SignUpForm 
            onSubmit={this.processForm}
            onChange={this.changeClient}
            errors={this.state.errors}
            client={this.state.client}
          />
: <Redirect to="/"/>
)}

  render() {
    return (
      <div className={styles.section}>
        <div className={styles.container}>
          <img src={require('./images/lisa_principal_bg.png')} className={styles.fullImageBackground} />
         {renderMe()}
          <Footer />
        </div>
      </div>
    );
  }
}

export default SignUpPage;
KornholioBeavis
źródło
To działa! Dziękuję bardzo. To jest inny sposób, aby to zrobić.
maoooricio
Nie powinieneś
wysyłać
Czy możesz udostępnić zawartość importu SignUpForm z '../../register/components/SignUpForm' ;? Próbuję się z tego uczyć. Chociaż w moim przypadku używam formularza redux
Temi „Topsy” Bello
3

Alternatywnie możesz użyć withRouter. Możesz uzyskać dostęp dohistory właściwości obiektu i najbliższymi <Route>„s matchza pośrednictwem withRouterkomponentu wyższego rzędu. withRouterprzekaże zaktualizowane match, locationi historyprops do opakowanego komponentu za każdym razem, gdy będzie renderowany.

import React from "react"
import PropTypes from "prop-types"
import { withRouter } from "react-router"

// A simple component that shows the pathname of the current location
class ShowTheLocation extends React.Component {
  static propTypes = {
    match: PropTypes.object.isRequired,
    location: PropTypes.object.isRequired,
    history: PropTypes.object.isRequired
  }

  render() {
    const { match, location, history } = this.props

    return <div>You are now at {location.pathname}</div>
  }
}
// Create a new component that is "connected" (to borrow redux
// terminology) to the router.
const ShowTheLocationWithRouter = withRouter(ShowTheLocation)

Lub tylko:

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

const Button = withRouter(({ history }) => (
  <button
    type='button'
    onClick={() => { history.push('/new-location') }}
  >
    Click Me!
  </button>
))
Ömürcan Cengiz
źródło
1

możesz w tym celu napisać hoc i napisać przekierowanie wywołania metody, oto kod:

import React, {useState} from 'react';
import {Redirect} from "react-router-dom";

const RedirectHoc = (WrappedComponent) => () => {
    const [routName, setRoutName] = useState("");
    const redirect = (to) => {
        setRoutName(to);
    };


    if (routName) {
        return <Redirect to={"/" + routName}/>
    }
    return (
        <>
            <WrappedComponent redirect={redirect}/>
        </>
    );
};

export default RedirectHoc;
zia
źródło
1
"react": "^16.3.2",
"react-dom": "^16.3.2",
"react-router-dom": "^4.2.2"

Aby przejść do innej strony (strona Informacje w moim przypadku), zainstalowałem prop-types. Następnie importuję go do odpowiedniego komponentu i użyłem this.context.router.history.push('/about'). I jest nawigowany.

Mój kod to

import React, { Component } from 'react';
import '../assets/mystyle.css';
import { Redirect } from 'react-router';
import PropTypes from 'prop-types';

export default class Header extends Component {   
    viewAbout() {
       this.context.router.history.push('/about')
    }
    render() {
        return (
            <header className="App-header">
                <div className="myapp_menu">
                    <input type="button" value="Home" />
                    <input type="button" value="Services" />
                    <input type="button" value="Contact" />
                    <input type="button" value="About" onClick={() => { this.viewAbout() }} />
                </div>
            </header>
        )
    }
}
Header.contextTypes = {
    router: PropTypes.object
  };
sojan
źródło
0

Aby przejść do innego komponentu, którego możesz użyć this.props.history.push('/main');

import React, { Component, Fragment } from 'react'

class Example extends Component {

  redirect() {
    this.props.history.push('/main')
  }

  render() {
    return (
      <Fragment>
        {this.redirect()}
      </Fragment>
    );
   }
 }

 export default Example
Morris S
źródło
1
React rzuca ostrzeżenie: Warning: Cannot update during an existing state transition (such as within render). Render methods should be a pure function of props and state.
Robotron
0

Najprostszym sposobem na przejście do innego komponentu jest (Przykład przechodzi do komponentu mails po kliknięciu ikony):

<MailIcon 
  onClick={ () => { this.props.history.push('/mails') } }
/>
Jackkobec
źródło
0

Alternatywnie możesz użyć renderowania warunkowego React.

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

class UserSignup extends Component {
  constructor(props) {
    super(props);
    this.state = {
      redirect: false
    }
  }
render() {
 <React.Fragment>
   { this.state.redirect && <Redirect to="/signin" /> }   // you will be redirected to signin route
}
</React.Fragment>
}
Niyongabo
źródło