4

我正在尝试在我的 React 项目中使用 Typescript,但在获取我的 HOC 功能的类型时遇到了困难。这是一个最小的示例来展示我遇到的问题:

const withDecorator =
    (Wrapped: React.ComponentType): React.ComponentClass =>
        class withDecorator extends Component {
            render() {
                return <Wrapped {...this.props} />
            }
        }

@withDecorator
class Link extends Component<object, object> {
    render() { return <a href="/">Link</a> }
}

这将返回错误:

'Unable to resolve signature of class decorator when called as an expression.
Type 'ComponentClass<{}>' is not assignable to type 'typeof Link'.
    Type 'Component<{}, ComponentState>' is not assignable to type 'Link'.
    Types of property 'render' are incompatible.
        Type '() => string | number | false | Element | Element[] | ReactPortal | null' is not assignable to type '() => Element'.
        Type 'string | number | false | Element | Element[] | ReactPortal | null' is not assignable to type 'Element'.
            Type 'null' is not assignable to type 'Element'.'

我真的不明白为什么会发生这个错误。我一定做错了什么。一旦我介绍了道具,事情就会变得更加棘手。

我将非常感谢正确的解决方案,但我也很想了解为什么会首先出现此错误。

谢谢!

4

1 回答 1

4

返回值的类装饰器类似于做

const Link = withDecorator(class extends Component<object, object> {
    render() { 
        return <a href="/">Link</a> 
    }
    instanceMethod() { return 2 }
    static classMethod() { return 2 }
})

TypeScript 期望装饰器的返回值与输入具有相同的类型,因此结果仍然具有相同的行为。在您的示例中,渲染类型签名不匹配,但使用添加的方法问题更加明显:使用您的装饰器实现,以下操作将失败:

new Link().instanceMethod()
Link.classMethod()

正确的类型签名将是:

function withDecorator<T extends React.ComponentClass>(Wrapped: T): T

并且实现也应该匹配,最容易通过扩展目标类:

return class extends Wrapped { ... }

请注意,使用 React HOC,您不一定要扩展类,因此使用装饰器可能不是最佳解决方案。

另请参阅https://github.com/Microsoft/TypeScript/issues/9453

于 2017-10-25T22:53:27.513 回答