2

我正在尝试使用 Recompose 及其 HOC 类型,使用 Flow 键入一个高阶组件 (HOC)。

这是我的代码:

// @flow
import React from 'react';
import { compose, defaultProps, withProps, type HOC } from 'recompose';

type InnerProps = {
  text: string,
  num: number,
};

type EnhancedComponentProps = {
  text: string,
};

const baseComponent = ({ text, num }: InnerProps) => (
  <div>
    {text}
    {num}
  </div>
);

const enhance: HOC<*, EnhancedComponentProps> = compose(
  defaultProps({
    text: 'world',
  }),
  withProps(({ text }) => ({
    text: `Hello ${text}`,
  }))
);

export default enhance(baseComponent);

现在这失败了:

Cannot call enhance with baseComponent bound to a because property num is missing in object type [1] but exists in
InnerProps [2] in the first argument.

     src/Text.js
 [2] 14│ const baseComponent = ({ text, num }: InnerProps) => (
       :
     27│   }))
     28│ );
     29│
     30│ export default enhance(baseComponent);
     31│

     flow-typed/npm/recompose_v0.x.x.js
 [1] 95│   ): HOC<{ ...$Exact<Enhanced>, ...BaseAdd }, Enhanced>;

试图阅读文档和一些我无法找到解决方案的博客文章。我发现的所有示例都非常琐碎,没有一个涵盖这个简单的案例。

输入此代码的正确方法是什么?

4

1 回答 1

3

我想你得到了正确的错误。它说:

num 在对象类型 [1] 中缺失,但存在于 InnerProps [2] 的第一个参数中。

您声明您的 HOC 将获得EnhancedComponentProps缺少的num. 换句话说,您尝试num从 Object 中提取只会获得EnhancedComponentProps类型中声明的内容。

基于recompose docs:您应该通过以下方式完成这项工作:

// @flow
import React from 'react';
import { compose, defaultProps, withProps, type HOC } from 'recompose';

type EnhancedComponentProps = {
  text: string,
  num: number,
};

const baseComponent = ({ text, num }: EnhancedComponentProps) => ( // in the example from recompose this typing is unnecessary though
  <div>
    {text}
    {num}
  </div>
);

const enhance: HOC<*, EnhancedComponentProps> = compose(
  defaultProps({
    text: 'world',
  }),
  withProps(({ text }) => ({
    text: `Hello ${text}`,
  }))
);

export default enhance(baseComponent);
于 2018-03-27T15:48:03.477 回答