Reactjsの新しいreact-router-domでRedirectを使用する方法


131

Reactを使用してWebアプリケーションを開発するときにデフォルトとなった、react-router-domという名前の最新バージョンのreact-routerモジュールを使用しています。POSTリクエスト後にリダイレクトを行う方法を知りたい。私はこのコードを作成していますが、リクエスト後、何も起こりません。私はウェブでレビューしましたが、すべてのデータは以前のバージョンの反応ルーターに関するものであり、最後の更新ではありません。

コード:

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;

1
あなたRedirectはJSではなく、JSXのように見えます。
elmeister 2017

コンポーネントコード全体を提供できますか
KornholioBeavis 2017

はい、JSXを使用しています。まあ、多分私は明確にする必要があります。POSTリクエストは、リクエストを行うREACTコンポーネント内にあります。
maoooricio 2017

@KornholioBeavis、確かに、今、あなたは完全に見ることができます。私はexpressjsを使用してサーバーを作成していますが、このデータが必要かどうかはわかりません
maoooricio

axios.postからコールバック応答を受け取っていることを検証できますか?また、なぜあなたはどこにも待たずに非同期機能を使用していますか?
KornholioBeavis 2017

回答:


197

メソッド内setStateをレンダリングするプロパティを設定するには、を使用する必要が<Redirect>ありますrender()

例えば

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

公式ドキュメントで例を確認することもできます:https : //reacttraining.com/react-router/web/example/auth-workflow


とはいえ、API呼び出しをサービスなどの内部に置くことをお勧めします。次に、historyオブジェクトを使用してプログラムでルーティングすることができます。これがreduxと統合が機能する方法です。

しかし、私はあなたがこのようにそれを行う理由があると思います。


1
@sebastian sebaldどういう意味put the API call inside a service or somethingですか?
andrea-f 2017

1
コンポーネント内にそのような(非同期)API呼び出しがあると、テストと再利用が難しくなります。通常は、サービスを作成してから(たとえば)で使用することをお勧めしcomponentDidMountます。または、APIを「ラップ」するHOCを作成します。
Sebastian Sebald 2017

6
ファイルの先頭で使用するにはRedirectを含める必要があることに注意してください:import {Redirect} from 'react-router-dom'
Alex

3
はい、内部Redirectで呼び出していhistory.replaceます。historyオブジェクトにアクセスする場合は、withRoutet/を使用しますRoute
Sebastian Sebald

1
react-router> = 5.1にはフックが含まれているため、次のことができますconst history = useHistory(); history.push("/myRoute")
TheDarkIn1978

34

言及されたすべての例が公式の例と同様に私の意見では複雑であるため、ここにタイトルへの応答としての小さな例があります。

es2015をトランスパイルする方法と、サーバーがリダイレクトを処理できるようにする方法を知っている必要があります。以下は、エクスプレス用のスニペットです。これに関連する詳細情報はここにあります

これを他のすべてのルートの下に配置してください。

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

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

これは.jsxファイルです。最長経路が最初に来て、より一般的になることに注目してください。最も一般的なルートでは、exact属性を使用します。

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

1
これは常に機能するとは限りません。home/hello> からのリダイレクトhome/hello/1があるが、home/helloEnter キーを押すと、最初はリダイレクトされません。何かアイデアはありますか?
セイウチ

可能であれば「create-react-app」を使用し、react-routerのドキュメントに従うことをお勧めします。「create-react-app」を使用すると、すべてがうまく機能します。自分の反応アプリケーションを新しい反応ルーターに適合させることができませんでした。
Matthis Kohli 2018

14

好きな関数内で呼び出すだけです。

this.props.history.push('/main');

外部コンポーネントはどうですか?
木の実

これらの問題をここで見てください: github.com/ReactTraining/react-router/issues/…@Nux
Billah

8

おかげで)ルータV5は、今あなたは、単に(history.pushを使用してリダイレクトすることができます反応し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>
  )
}

6

このようなものを試してください。

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;

それは動作します!、どうもありがとうございます。これはこれを行う別の方法です。
maoooricio 2017

コンポーネントファイルでHTTPリクエストを行うべきではありません
Kermit_ice_tea

「../../register/components/SignUpForm」からのSignUpFormのインポート内容を共有できますか?私はこれから学ぼうとしています。私の場合でも、私はreduxフォームを使用しています
Temi 'Topsy' Bello

3

または、を使用できますwithRouter。あなたはへのアクセスを得ることができhistory、オブジェクトのプロパティと最も近い<Route>のをmatch介して、withRouter高次の成分。withRouter更新渡しますmatchlocationと、historyそれがレンダリングするたび包まコンポーネントに小道具。

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)

あるいは単に:

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

const Button = withRouter(({ history }) => (
  <button
    type='button'
    onClick={() => { history.push('/new-location') }}
  >
    Click Me!
  </button>
))

1

この目的のためにその場しのぎを書いて、メソッド呼び出しリダイレクトを書くことができます、これがコードです:

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;

1
"react": "^16.3.2",
"react-dom": "^16.3.2",
"react-router-dom": "^4.2.2"

別のページ(私の場合は[About]ページ)に移動するために、をインストールしましたprop-types。次に、それを対応するコンポーネントにインポートします。そして、を使用しthis.context.router.history.push('/about')ました。

私のコードは、

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
  };

0

使用できる別のコンポーネントに移動するには 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

1
Reactが警告をスローします:Warning: Cannot update during an existing state transition (such as within レンダリング). Render methods should be a pure function of props and state.
Robotron

0

別のコンポーネントに移動する最も簡単なソリューションは次のとおりです(例はアイコンをクリックしてメールコンポーネントに移動します):

<MailIcon 
  onClick={ () => { this.props.history.push('/mails') } }
/>

0

または、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>
}
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.