开发者问题收集

React 组件未显示在匹配的路由上(react-router-dom)

2017-05-26
5646

大家好,我不知道发生了什么。 我有以下路线:

<BrowserRouter>
  <div>
    <Switch>
      <Route path="/patient/:id/" component={PatientWrapper} />
      <Route path="/patient/:id/patient_profile/admission_form" component={PatientAdmission} />
      <Route path="/patient/:id/patient_profile/discharge_form" component={PatientDischarge} />
      <Route path="/patient/:id/patient_profile/encounter_details" component={PatientEncounterDetails} />
      <Route path="/" component={App} />
    </Switch>
  </div>
</BrowserRouter>

只有 Route with path="/" Route with path="/patient/:id" 是有效的,其他 3 条路线只是没有显示与路径相对应的组件。

这是我访问路线的方式。我有一个带有正确链接的 Header 组件。见下文

<ul className="dropdown-menu dropdown-messages">
    <li><Link to={"/patient/" + this.props.id +"/patient_profile/admission_form"} id="admission-link" >Admission</Link></li>
     <li><Link to={"/patient/" + this.props.id +"/patient_profile/discharge_form"} id="discharge-link">Discharge</Link></li>
     <li className="divider"></li>
     <li><Link to={"/patient/" + this.props.id +"/patient_profile/encounter_details"} id="encounter-details">Encounter Details</Link></li>
</ul>

在 Header 组件中我 从“react-router-dom”导入 { Link }; 并在声明路线的文件中我 从“react-router-dom”导入 { BrowserRouter, Route, Switch };

我做错了什么?

2个回答

这里的问题是您没有为父路由使用 exact 属性。默认情况下,路由不会进行精确匹配。例如,对于路径 ///patient 都被视为匹配。因此,即使在您的例子中, /patient/:id/ 路由也与从 /patient/:id/ 开始的所有其他路由路径匹配。由于 Switch 仅呈现第一个匹配项,因此它始终会呈现 PatientWrapper,即使对于其他路径(如 /patient/:id/patient_profile/admission_form )也是如此。

使用 exact 属性,您可以明确指示 Route 完全匹配。

<BrowserRouter>
  <div>
    <Switch>
      <Route exact path="/" component={App} />
      <Route path="/patient/:id/" exact component={PatientWrapper} />
      <Route path="/patient/:id/patient_profile/admission_form" component={PatientAdmission} />
      <Route path="/patient/:id/patient_profile/discharge_form" component={PatientDischarge} />
      <Route path="/patient/:id/patient_profile/encounter_details" component={PatientEncounterDetails} />
    </Switch>
  </div>
</BrowserRouter>
Tharaka Wijebandara
2017-05-26

确保在渲染路线时将其包装起来:

<BrowserRouter>
    <Switch>
       <Route path="/patient/:id/" component={PatientWrapper} />
      <Route path="/patient/:id/patient_profile/admission_form" component={PatientAdmission} />
      <Route path="/patient/:id/patient_profile/discharge_form" component={PatientDischarge} />
      <Route path="/patient/:id/patient_profile/encounter_details" component={PatientEncounterDetails} />
      <Route path="/" component={App} />
    </Switch>
</BrowserRouter>
Sagar
2018-09-02