2

我有一个医生列表,我正在尝试在选择时动态呈现详细信息页面。我看到大多数人建议通过 Route 组件传递道具,如下所示:

<Route path={`${match.url}/:name`}
  component={ (props) => <DoctorView doctor={this.props.doctors} {...props} />}
  />

虽然我不清楚我应该在哪里执行这个。我在 DoctorList 和 DoctorItem 中尝试过,但没有奏效。所以我在 App 组件中设置了 Route,我可以选择一个医生,然后渲染 DoctorView 组件并很好地显示 match.params 道具。但是如何将选定的医生数据获取到 DoctorView?我可能比它应该做的更难。这是我的代码:

应用程序.jsx

const App = () => {
  return (
    <div>
      <NavigationBar />
      <FlashMessagesList />
      <Switch>
        <Route exact path="/" component={Greeting} />
        <Route path="/signup" component={SignupPage} />
        <Route path="/login" component={LoginPage} />
        <Route path="/content" component={requireAuth(ShareContentPage)} />
        <Route path="/doctors" component={requireAuth(Doctors)} />
        <Route path="/doctor/:name" component={requireAuth(DoctorView)} />
      </Switch>
    </div>
  );
}

医生列表.jsx

class DoctorList extends React.Component {
  render() {
    const { doctors } = this.props;
    const linkList = doctors.map((doctor, index) => {
      return (
        <DoctorItem doctor={doctor} key={index} />
      );
    });

    return (
      <div>
        <h3>Doctor List</h3>
        <ul>{linkList}</ul>
      </div>
    );
  }
}

DoctorItem.jsx

const DoctorItem = ({ doctor, match }) => (
  <div>
    <Link
      to={{ pathname:`/doctor/${doctor.profile.first_name}-${doctor.profile.last_name}` }}>
      {doctor.profile.first_name} {doctor.profile.last_name}
    </Link>
  </div>
);

DoctorView.jsx

const DoctorItem = ({ doctor, match }) => (
  <div>
    <Link
      to={{ pathname:`/doctor/${doctor.profile.first_name}-${doctor.profile.last_name}` }}>
      {doctor.profile.first_name} {doctor.profile.last_name}
    </Link>
  </div>
);

我可以通过 Redux 访问医生列表,我可以连接组件,引入列表并比较 id,但这感觉像是很多不必要的步骤。

4

2 回答 2

1

但是如何将选定的医生数据获取到 DoctorView?

请记住,拥有类似的路径/items/items/:id创建一个场景,您可能首先登陆详细信息页面。

你:

a) 无论如何都要获取所有项目,因为您可能会返回列表页面?

b) 只是获取该项目的信息?

这两个答案都不是“正确的”,但归根结底,您有三个可能的信息:

1) 商品编号

2) 单品

3) 项目列表(可能包含也可能不包含详细信息页面所需的所有信息)

无论您想在哪里显示项目的完整详细信息,它都需要通过道具访问该项目。将所有项目详细信息放在 url 中会很费力,而且它会使情况 A 变得不可能。

由于您使用的是 redux,因此从 url 中的标识符中获取项目的详细信息是非常有意义的

export default 
  connect((state, props) => ({
    doctor: state.doctorList.find(doctor => 
      doctor.id === props.match.params.id
    )
  }))(DoctorView)

^ 是否看起来有太多额外的步骤?

于 2018-02-07T01:42:24.023 回答
1

虽然上面的答案完美地解决了这个问题,但我只想补充一点, react-routercomponent不建议使用内联函数

而不是这样做:

<Route path={`${match.url}/:name`}
  component={ (props) => <DoctorView doctor={this.props.doctors} {...props} />}
  />

您应该改为使用它:

 <Route path={`${match.url}/:name`}
  render={ (props) => <DoctorView doctor={this.props.doctors} {...props} />}
  />

这将防止在每次挂载时创建相同的组件,而是使用相同的组件并相应地更新状态。

希望这会对某人有所帮助

于 2018-06-27T13:25:41.607 回答