开发者问题收集

react-router 在不在路由中时显示组件的问题

2018-03-10
49

我正在使用 react-router,但对其行为有些困难。

Nav 可根据需要显示在所有页面上。但是, Profile 也会显示在所有页面上。我只想在 /home 以及 /music/players 页面上显示它,它确实做到了。但是,它还会显示在 /charts 页面上,这让我感到困惑。

我的代码如下所示。

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

import Nav from './components/Nav'
import Profile from './components/Profile'
import Players from './components/Players'
import Music from './components/Music'
import Charts from './components/Charts'

const App = () => {

  return (
    <section>

      <Nav />

      <Route path="/home">
        <div>
          <Profile avatarUrl={ avatarUrl }/>
          <Route path="/players" component={Players}/>
          <Route path="/music" component={Music}/>
        </div>
      </Route>

      <Route path="/charts" component={Charts}/>

    </section>
  )
}

export default App;

我已阅读文档,尝试放入 Switch 组件,将 exact 添加到 home 路由,但这会导致其他意外行为。

有人能告诉我我做错了什么吗?

谢谢 Pete!

1个回答

试试这个:

import React from 'react';
import { Route, BrowserRouter as Router } from 'react-router-dom'

import Nav from './components/Nav'
import Profile from './components/Profile'
import Players from './components/Players'
import Music from './components/Music'
import Charts from './components/Charts'

const Home = ({match}) => {
    return (
    <div>
      <Profile avatarUrl={ avatarUrl }/>
      <Route path=`${match.url}/players` component={Players}/>
      <Route path=`${match.url}/music` component={Music}/>
    </div>
  );
};

const App = () => {

  return (
    <section>

      <Nav />
      <Router>
        <Switch>
          <Route path="/charts" exact={true} component={Charts}/>
          <Route path="/home" component={Home} />
        </Switch>
      </Router>

    </section>
  )
}

export default App;

我还没有测试过,但这应该可行。

假设你正在使用 react-router v4,我不知道你是否可以按照你使用的方式实际使用你的 home 路由。

在上面的代码中,Switch 基本上会渲染其下指定的路由之间的第一个匹配项。 exact 关键字将确保只有 /charts 路径将显示 Charts 组件。

Home 组件将在以 /home 开头的任何路径中呈现。 现在,对于路径 /home/players ,您将看到 ProfilePlayers 组件,而对于路径 /home/music ,您将看到其他组合。

希望这会有所帮助。 :)

编辑: 已将 Router 添加到代码中。

编辑: 可在此处获取有效代码: https://codesandbox.io/s/8x9pql9m19
将右侧的路线更改为:
/home
/home/players
/home/music
/charts

Shishir
2018-03-10