在React中,如何使用HOC(高阶组件)从通用组件中创建多个组件?

时间:2017-09-29 05:36:01

标签: reactjs higher-order-components

我创建了一个通用组件,用作其他组件的包装器,用作标签。这是我的通用组件:

const Label = ({ data, attribute, style, link }) => {
  if (link) {
    return (
      <Link to={link} style={style}>{data ? `${data[attribute]}` : ''}</Link>
    );
  }
  return (
    <div style={style}>{data ? `${data[attribute]}` : ''}</div>
  );
};

我想将此作为我的通用组件来呈现不同的标签组件,例如:

const CityLabel = ({ data }) => (
  <div>{data ? `${data.city}` : ''}</div>
  )

const UserLabel = ({ user }) => (
  <div>{user ? `${user.firstName} ${user.lastName}` : ''}</div>
  )

等...

如何使用HOC执行此操作?

1 个答案:

答案 0 :(得分:1)

此示例假设UserLabel仅呈现name而不是firstName&amp; lastName因为Label组件无法处理两个属性。

const Label = ..., 
makeLabel = (
    (Label) => (mapLabelProps) => (props) => 
        <Label {...mapLabelProps(props)} />
)(Label),
CityLabel = makeLabel(({data, style, link}) => ({
    data,
    attribute: 'city',
    style,
    link
})),
UserLabel = makeLabel(({user, style, link}) => ({
    data: user,
    attribute: 'name',
    style,
    link
}));

render(){
    return (
        <div>
            <CityLabel data={{city:"NYC"}} />
            <UserLabel user={{name:"obiwan"}} />
        </div>
    )
}