コンポーネント<Button>
があります。
コンポーネントにthis.props.children
がない場合、prop ariaLabel
をisRequired
として設定します。そうでない場合、inはオプションになります。それ、どうやったら出来るの?
ariaLabel
propは必要ありません:
<Button>Add to bag</Button>
ariaLabel
propは必須である必要があります:
<Button ariaLabel="Add to bag" icon={ favorite } />
this.props.children
およびthis.props.ariaLabel
が空の場合、this.props.ariaLabel
はisRequired
であるというエラーをスローします
<Button icon={ favorite } />
propTypes:
Button.propTypes = {
/** icon inside Button. */
icon: React.PropTypes.object,
/** Content inside button */
children: React.PropTypes.node,
/** Aria-label to screen readers */
ariaLabel: React.PropTypes.string, /*isRequired if children is empty */
};
ありがとう
別のライブラリは必要ありません。「prop-types」はこれをそのまま提供します。 https://facebook.github.io/react/docs/typechecking-with-proptypes.html を参照してください
例:
import PropTypes from 'prop-types';
//.......
ExampleComponent.propTypes = {
showDelete: PropTypes.bool,
handleDelete: function(props, propName, componentName) {
if ((props['showDelete'] == true && (props[propName] == undefined || typeof(props[propName]) != 'function'))) {
return new Error('Please provide a handleDelete function!');
}
},
}
これはまさにあなたが必要とするものかもしれません: https://github.com/thejameskyle/react-required-if
あなたの場合、propTypesは次のようになります。
import requiredIf from 'react-required-if';
Button.propTypes = {
/** icon inside Button. */
icon: React.PropTypes.object,
/** Content inside button */
children: React.PropTypes.node,
/** Aria-label to screen readers */
ariaLabel: requiredIf(React.PropTypes.string, props => !props.children), /*isRequired if children is empty */
};
上記の@chickenchilliの回答に追加するには、これを次のようなより便利なヘルパー関数に抽象化できます。
export default function conditionalPropType(condition, message) {
if(typeof condition !== 'function') throw "Wrong argument type 'condition' supplied to 'conditionalPropType'";
return function(props, propName, componentName) {
if (condition(props, propName, componentName)) {
return new Error(`Invalid prop '${propName}' '${props[propName]}' supplied to '${componentName}'. ${message}`);
}
}
}
import PropTypes from 'prop-types';
import conditionalPropType from './conditionalPropType';
[...]
MyComponent.propTypes = {
conditionProp: PropTypes.bool,
dependentProp: conditionalPropType(props => (props.condition && typeof(props.someProp) !== 'boolean'), "'dependentProp' must be boolean if 'conditionProp' is true"),
};