5

我已经按照文档设置了我的应用程序:

步骤1

...
import { createBrowserHistory } from 'history'
import { applyMiddleware, compose, createStore } from 'redux'
import { connectRouter, routerMiddleware } from 'connected-react-router'
...
const history = createBrowserHistory()

const store = createStore(
  connectRouter(history)(rootReducer), // new root reducer with router state
  initialState,
  compose(
    applyMiddleware(
      routerMiddleware(history), // for dispatching history actions
      // ... other middlewares ...
    ),
  ),
)

第2步

...
import { Provider } from 'react-redux'
import { Route, Switch } from 'react-router' // react-router v4
import { ConnectedRouter } from 'connected-react-router'
...
ReactDOM.render(
  <Provider store={store}>
    <ConnectedRouter history={history}> { /* place ConnectedRouter under Provider */ }
      <div> { /* your usual react-router v4 routing */ }
        <Switch>
          <Route exact path="/" render={() => (<div>Match</div>)} />
          <Route render={() => (<div>Miss</div>)} />
        </Switch>
      </div>
    </ConnectedRouter>
  </Provider>,
  document.getElementById('react-root')
)

我点击一个Link甚至dispatch(push('/new-url/withparam'))

但是,道具match location保留了以前的值或第一页的任何内容。

怎么了?

4

2 回答 2

11

这个已经咬过我很多次了。

您的SwitchRoute不得位于连接的组件内!

如果组件已连接,则 , 等的道具match似乎location不会更新并传播到您的路线。

这意味着不要在and之间连接您的顶层ApporRoot或任何其他嵌套容器ConnectedRouterRoute

--

更新:

您可能只需要用

<Route render={ (routerProps) => <YourConnectedComponent { ...routerProps } />
于 2018-08-17T22:52:10.597 回答
0

我决定在此处添加示例,因为我认为这是有价值的输入 - 即使如此,它已经得到了回答。

我有类似的问题,当我将 url 推送到路由器历史记录时,它更改了 URL,但它没有在我想要的组件上正确导航。我用谷歌搜索并搜索了几个小时的答案,直到我找到了这个线程,它最终帮助我找出了我做错了什么。所以所有的功劳都归功于@ilovett。

所以这里有一个例子,如果有人需要它来更好地理解:

我有类似这样的代码:

export const routes =
    <Layout>
        <Switch>
            <Route exact path='/' component={ Component1 } />
            <Route path='/parameter1/:parameterValue' component={ Component2 } />
        </Switch>
    </Layout>;

<Provider store={ store }>
    <ConnectedRouter history={ history } children={ routes } />
</Provider>

当我来到一个项目时它工作正常,但后来我决定重构 Layout 组件并将它连接到商店,这导致Component2停止在ownProps.match.params.parameter1中接收正确的值,因此它渲染了组件完全错误。

因此,您唯一需要做的就是将 Layout 移到ConnectedRouter之外。ConnectedRouterRoute之间没有任何东西可以连接到 store。

工作示例是这样的:

export const routes =
        <Switch>
            <Route exact path='/' component={ Component1 } />
            <Route path='/parameter1/:parameterValue' component={ Component2 } />
        </Switch>;

<Provider store={ store }>
    <Layout>
        <ConnectedRouter history={ history } children={ routes } />
    </Layout>
</Provider>
于 2021-01-20T18:00:28.613 回答