在 React 应用程序中从商店更改路线

IT技术 javascript reactjs react-router mobx
2021-04-26 20:14:37

我有一个 React 组件,它接收用户名和密码并将其发送以进行身份​​验证。如果身份验证成功,页面应该移动到呈现另一个组件的不同路由。

现在的问题是,我不确定如何从我的商店更改路线?即不使用<Link>React Router组件?我知道我们可以使用this.props.history.push(/url)以编程方式更改路由,但它只能在 React 组件中使用 using <Route>,而不能在商店中使用。

我使用 React16 和 MobX 进行状态管理,使用 ReactRouter V4 进行路由。

店铺:

class Store {
    handleSubmit = (username, password) => {
        const result = validateUser(username, password);
        // if result === true, change route to '/search' to render Search component
    }
}

登录组件:

const Login = observer(({ store }) => {
    return (
        <div>
           <form onSubmit={store.handleSubmit}>
                <label htmlFor="username">User Name</label>
                <input type="text" id="username" onChange={e => store.updateUsername(e)} value={store.username} />
                <label htmlFor="password">Password</label>
                <input type="password" id="password" onChange={e => store.updatePassword(e)} value={store.password} />
                <input type="submit" value="Submit" disabled={store.disableSearch} />
            </form>}
        </div>
    )
})

主要应用组件:

import { Router, Route, Link } from "react-router-dom";
@observer
class App extends React.Component {
    render() {
        return (
            <Router history={history}>
                <div>
                    <Route exact path="/"
                        component={() => <Login store={store} />}
                    />

                    <Route path="/search"
                        component={() => <Search store={store} />}
                    />
                </div>
            </Router>
        )
    }
}
1个回答

您可以history在单独的module中创建,并将其导入到您的主应用程序组件和商店中:

// history.js
import createHistory from 'history/createBrowserHistory';

const history = createHistory();

export default history;

// Store.js
import history from './history';

class Store {
    handleSubmit = (username, password) => {
        const result = validateUser(username, password);

        if (result) {
            history.push('/search');
        }
    }
}

// App.js
import { Router, Route, Link } from "react-router-dom";
import history from './history';

@observer
class App extends React.Component {
    render() {
        return (
            <Router history={history}>
                <div>
                    <Route exact path="/"
                        component={() => <Login store={store} />}
                    />

                    <Route path="/search"
                        component={() => <Search store={store} />}
                    />
                </div>
            </Router>
        )
    }
}