在将组件作为prop传递时,在Flow中键入React组件

Esb*_*ben 15 reactjs flowtype

我想将React组件作为输入prop传递给另一个React组件.我试图将它引用为React.Component <*,*,*>但是当我在render方法中使用传递的组件时,我得到一个错误.这就是我写出流程代码的方式.

/* @flow */

import React, { Component } from 'react';
import ReactDOM from 'react-dom';

const Input = props => <div>Yo</div>

type DefaultProps = {
  InputComponent: Input
};

type Props = {
  InputComponent: React.Component<*, *, *>
};

class App extends Component<DefaultProps, Props, void> {
  static defaultProps = {
    InputComponent: Input
  };

  props: Props;

  render() {
    const { InputComponent } = this.props

    return (
      <div>
        <InputComponent />
      </div>
    )
  }
}

ReactDOM.render(
  <App />,
  document.getElementById('root')
)
Run Code Online (Sandbox Code Playgroud)

但是在App渲染方法中我得到了错误

React element `InputComponent` (Expected React component instead of React$Component)
Run Code Online (Sandbox Code Playgroud)

我该如何正确输入输入组件?

the*_*kes 12

从v0.59.0开始,你应该使用React.Component.例如:

/* @flow */

import React from 'react';

const Input = props => <div>Yo</div>

type Props = {
  InputComponent: React.Component<*, *>
};

class App extends React.Component<Props, void> {
  static defaultProps = {
    InputComponent: Input
  };

  render() {
    const { InputComponent } = this.props

    return (
      <div>
        <InputComponent />
      </div>
    )
  }
}
Run Code Online (Sandbox Code Playgroud)

这是 0.59.0 的工作示例.正如评论中所提到的,这里有一些变化的描述.

::在v0.59.0之前::

你应该使用ReactClass<*>而不是React.Component.

这是一个工作示例,文档在这里!

/**
 * Type of a React class (not to be confused with the type of instances of a
 * React class, which is the React class itself). A React class is any subclass
 * of React$Component. We make the type of a React class parametric over Config,
 * which is derived from some of the type parameters (DefaultProps, Props) of
 * React$Component, abstracting away others (State); whereas a React$Component
 * type is useful for checking the definition of a React class, a ReactClass
 * type (and the corresponding React$Element type, see below) is useful for
 * checking the uses of a React class. The required constraints are set up using
 * a "helper" type alias, that takes an additional type parameter C representing
 * the React class, which is then abstracted with an existential type (*). The *
 * can be thought of as an "auto" instruction to the typechecker, telling it to
 * fill in the type from context.
 */
type ReactClass<Config> = _ReactClass<*, *, Config, *>;
type _ReactClass<DefaultProps, Props, Config: $Diff<Props, DefaultProps>, C: React$Component<DefaultProps, Props, any>> = Class<C>;
Run Code Online (Sandbox Code Playgroud)

  • 现在看起来类型是React.ComponentType <Props>.以下是我猜您可能称之为变更的文档:https://github.com/facebook/flow/commit/20a5d7dbf484699b47008656583b57e6016cfa0b#diff-5ca8a047db3f6ee8d65a46bba44712​​36L136 (2认同)
  • 这看起来也是转变的良好背景:https://medium.com/flow-type/even-better-support-for-react-in-flow-25b0a3485627 (2认同)