反应属性类型组件类?



如何验证提供的 prop 是组件类(不是实例(?

例如

export default class TimelineWithPicker extends React.PureComponent {
static propTypes = {
component: PropTypes.any, // <-- how can I validate that this is a component class (or stateless functional component)?
};
render() {
return (
<this.props.component {...this.props} start={this.state.start}/>
);
}
}

对于使用PropTypes >= 15.7.0的任何人,此拉取请求中添加了新PropTypes.elementType,并于2019年2月10日发布。

此 prop 类型支持所有组件(本机组件、无状态组件、有状态组件、正向引用React.forwardRef、上下文提供者/消费者(。

当不是这些元素中的任何一个时,它会抛出警告,当传递的道具是一个元素(PropTypes.element(而不是一个类型时,它也会抛出警告。

最后,您可以像使用任何其他道具类型一样使用它:

const propTypes = {
component: PropTypes.elementType,
requiredComponent: PropTypes.elementType.isRequired,
};

编辑:将 React 的 FancyButton 示例添加到代码沙箱中,以及与 React 16.3 中新的React.forwardRefAPI 配合使用的自定义道具检查功能。React.forwardRefAPI 返回一个带有render函数的对象。我正在使用以下自定义道具检查器来验证此道具类型。- 感谢伊万·萨莫瓦尔注意到这种需求。

FancyButton: function (props, propName, componentName) {
if(!props[propName] || typeof(props[propName].render) != 'function') {
return new Error(`${propName}.render must be a function!`);
}
}

您需要使用

PropTypes.element.实际上。。。PropType.func适用于无状态功能组件和类组件。

我做了一个沙盒来证明这是有效的......考虑到我一开始给了你错误的信息,认为这是必要的。对此非常抱歉!

工作沙盒示例!

以下是链接失效时的测试代码:

import React from 'react';
import { render } from 'react-dom';
import PropTypes from "prop-types";
class ClassComponent extends React.Component {
render() {
return <p>I'm a class component</p>
}
}
const FancyButton = React.forwardRef((props, ref) => (
<button ref={ref} className="FancyButton">
{props.children}
</button>
));
// You can now get a ref directly to the DOM button:
const ref = React.createRef();
<FancyButton ref={ref}>Click me!</FancyButton>;
const FSComponent = () => (
<p>I'm a functional stateless component</p>
);
const Test = ({ ClassComponent, FSComponent, FancyButton }) => (
<div>
<ClassComponent />
<FSComponent />
<FancyButton />
</div>
);
Test.propTypes = {
ClassComponent: PropTypes.func.isRequired,
FSComponent: PropTypes.func.isRequired,
FancyButton: function (props, propName, componentName) {
if(!props[propName] || typeof(props[propName].render) != 'function') {
return new Error(`${propName}.render must be a function!`);
}
},
}
render(<Test
ClassComponent={ ClassComponent }
FSComponent={ FSComponent }
FancyButton={ FancyButton } />, document.getElementById('root'));

最新更新