| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106 |
- /**
- * @fileoverview Require default value for props
- * @author Michał Sajnóg <msajnog93@gmail.com> (http://github.com/michalsnik)
- */
- 'use strict'
- const utils = require('../utils')
- // ------------------------------------------------------------------------------
- // Rule Definition
- // ------------------------------------------------------------------------------
- module.exports = {
- meta: {
- docs: {
- description: 'require default value for props',
- category: 'strongly-recommended',
- url: 'https://github.com/vuejs/eslint-plugin-vue/blob/v4.7.1/docs/rules/require-default-prop.md'
- },
- fixable: null, // or "code" or "whitespace"
- schema: []
- },
- create: function (context) {
- // ----------------------------------------------------------------------
- // Helpers
- // ----------------------------------------------------------------------
- /**
- * Checks if the passed prop is required
- * @param {Property} prop - Property AST node for a single prop
- * @return {boolean}
- */
- function propIsRequired (prop) {
- const propRequiredNode = prop.value.properties
- .find(p =>
- p.type === 'Property' &&
- p.key.name === 'required' &&
- p.value.type === 'Literal' &&
- p.value.value === true
- )
- return Boolean(propRequiredNode)
- }
- /**
- * Checks if the passed prop has a default value
- * @param {Property} prop - Property AST node for a single prop
- * @return {boolean}
- */
- function propHasDefault (prop) {
- const propDefaultNode = prop.value.properties
- .find(p =>
- p.key &&
- (p.key.name === 'default' || p.key.value === 'default')
- )
- return Boolean(propDefaultNode)
- }
- /**
- * Finds all props that don't have a default value set
- * @param {Property} propsNode - Vue component's "props" node
- * @return {boolean}
- */
- function findPropsWithoutDefaultValue (propsNode) {
- return propsNode.value.properties
- .filter(prop => prop.type === 'Property')
- .filter(prop => {
- if (prop.value.type !== 'ObjectExpression') {
- return true
- }
- return !propIsRequired(prop) && !propHasDefault(prop)
- })
- }
- // ----------------------------------------------------------------------
- // Public
- // ----------------------------------------------------------------------
- return utils.executeOnVue(context, (obj) => {
- const propsNode = obj.properties
- .find(p =>
- p.type === 'Property' &&
- p.key.type === 'Identifier' &&
- p.key.name === 'props' &&
- p.value.type === 'ObjectExpression'
- )
- if (!propsNode) return
- const propsWithoutDefault = findPropsWithoutDefaultValue(propsNode)
- propsWithoutDefault.forEach(prop => {
- context.report({
- node: prop,
- message: `Prop '{{propName}}' requires default value to be set.`,
- data: {
- propName: prop.key.name
- }
- })
- })
- })
- }
- }
|