web-dev-qa-db-fra.com

React props - set isRequired on a prop if another prop is null / empty

J'ai un composant <Button>.
Si le composant n'a pas this.props.children, Je veux définir le prop ariaLabel comme isRequired, sinon peut être optionnel. Comment je fais ça?

ariaLabel accessoire non requis:

<Button>Add to bag</Button>

ariaLabel prop doit être requis:

<Button ariaLabel="Add to bag" icon={ favorite } />

si this.props.children et this.props.ariaLabel sont vides, il génère une erreur indiquant que this.props.ariaLabel est 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 */
};

Merci

32
sandrina-p

Vous n'avez pas besoin d'une autre bibliothèque, `` prop-types '' le fournit immédiatement. Voir https://facebook.github.io/react/docs/typechecking-with-proptypes.html

Exemple:

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!');
        }
    },

}
87
chickenchilli

Cela peut être exactement ce dont vous avez besoin: https://github.com/thejameskyle/react-required-if

Dans votre cas, vos propTypes seraient:

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 */
};
15
Kelvin De Moya

Pour ajouter à la réponse de @ chickenchilli ci-dessus, vous pouvez résumer cela en une fonction d'aide plus pratique comme celle-ci:

conditionalPropType.js

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}`);
    }
  }
}

MyComponent.js

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"),
};
5
coconup