通用高阶React组件给出类型错误

问题描述 投票:0回答:1

[我正在尝试编写一个通用的React组件,该组件需要两种类型(IFooIBar)之一的props和一个接受所选类型的props的组件。

以下内容为何无效?

Playground

import React from 'react';

interface IFoo {
  x: string;
}

interface IBar {
  x: number;
}

const foo: React.FunctionComponent<IFoo> = (props: IFoo) => {
    console.log("hello from foo!");
  return <div>foo</div>
};

const bar: React.FunctionComponent<IBar> = (props: IBar) => {
    console.log("hello from bar!");
  return <div>bar</div>
};

interface IProps<T> { 
    props: T;
    Component: React.FunctionComponent<T>;
}


class HigherOrderComponent<T extends IBar | IFoo> extends React.Component<IProps<T>> { 
    render() {
        const { props, Component } = this.props;
        return <Component {...props}/>
     }
}

这将返回以下错误:

Type 'T' is not assignable to type 'IntrinsicAttributes & T & { children?: ReactNode; }'.
  Type 'IFoo | IBar' is not assignable to type 'IntrinsicAttributes & T & { children?: ReactNode; }'.
    Type 'IFoo' is not assignable to type 'IntrinsicAttributes & T & { children?: ReactNode; }'.
      Type 'IFoo' is not assignable to type 'T'.
        'IFoo' is assignable to the constraint of type 'T', but 'T' could be instantiated with a different subtype of constraint 'IFoo | IBar'.
          Type 'T' is not assignable to type 'IntrinsicAttributes'.
            Type 'IFoo | IBar' is not assignable to type 'IntrinsicAttributes'.
              Type 'IFoo' has no properties in common with type 'IntrinsicAttributes'.(2322)
reactjs typescript higher-order-components
1个回答
0
投票

您需要动态创建HOC类,以便包装Component并为其输入正确的类型

import React from 'react';

interface IFoo {
  x: string;
}

interface IBar {
  x: number;
}

const foo: React.FunctionComponent<IFoo> = (props: IFoo) => {
    console.log("hello from foo!");
  return <div>foo</div>
};

const bar: React.FunctionComponent<IBar> = (props: IBar) => {
    console.log("hello from bar!");
  return <div>bar</div>
};

interface IProps<T> { 
    props: T;
    Component: React.FunctionComponent<T>;
}

function createHOC<P extends IFoo | IBar>(Component: React.ComponentType<P>) {
  return class HigherOrderComponent extends React.Component<P> {
    render() {
        return <Component {...this.props} />
     }
  }
}

const WrapperFooComponent = createHOC(foo)

const WrapperBarComponent = createHOC(bar)

希望对您有帮助<3

© www.soinside.com 2019 - 2024. All rights reserved.