-
-
Notifications
You must be signed in to change notification settings - Fork 668
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Browse files
Browse the repository at this point in the history
* Add new rule: vue/define-macros-order (#1855) * Fix review comments * Add review case * Fix review comments * Fix review comments * Add semicolons * Add some newline heuristics * Fix slice review
- Loading branch information
1 parent
62e2620
commit 213042c
Showing
5 changed files
with
754 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,72 @@ | ||
--- | ||
pageClass: rule-details | ||
sidebarDepth: 0 | ||
title: vue/define-macros-order | ||
description: enforce order of `defineEmits` and `defineProps` compiler macros | ||
--- | ||
# vue/define-macros-order | ||
|
||
> enforce order of `defineEmits` and `defineProps` compiler macros | ||
- :exclamation: <badge text="This rule has not been released yet." vertical="middle" type="error"> ***This rule has not been released yet.*** </badge> | ||
- :wrench: The `--fix` option on the [command line](https://eslint.org/docs/user-guide/command-line-interface#fixing-problems) can automatically fix some of the problems reported by this rule. | ||
|
||
## :book: Rule Details | ||
|
||
This rule reports the `defineProps` and `defineEmits` compiler macros when they are not the first statements in `<script setup>` (after any potential import statements or type definitions) or when they are not in the correct order. | ||
|
||
## :wrench: Options | ||
|
||
```json | ||
{ | ||
"vue/define-macros-order": ["error", { | ||
"order": ["defineProps", "defineEmits"] | ||
}] | ||
} | ||
``` | ||
|
||
- `order` (`string[]`) ... The order of defineEmits and defineProps macros | ||
|
||
### `{ "order": ["defineProps", "defineEmits"] }` (default) | ||
|
||
<eslint-code-block fix :rules="{'vue/define-macros-order': ['error']}"> | ||
|
||
```vue | ||
<!-- ✓ GOOD --> | ||
<script setup> | ||
defineProps(/* ... */) | ||
defineEmits(/* ... */) | ||
</script> | ||
``` | ||
|
||
</eslint-code-block> | ||
|
||
<eslint-code-block fix :rules="{'vue/define-macros-order': ['error']}"> | ||
|
||
```vue | ||
<!-- ✗ BAD --> | ||
<script setup> | ||
defineEmits(/* ... */) | ||
defineProps(/* ... */) | ||
</script> | ||
``` | ||
|
||
</eslint-code-block> | ||
|
||
<eslint-code-block fix :rules="{'vue/define-macros-order': ['error']}"> | ||
|
||
```vue | ||
<!-- ✗ BAD --> | ||
<script setup> | ||
const bar = ref() | ||
defineProps(/* ... */) | ||
defineEmits(/* ... */) | ||
</script> | ||
``` | ||
|
||
</eslint-code-block> | ||
|
||
## :mag: Implementation | ||
|
||
- [Rule source](https://github.com/vuejs/eslint-plugin-vue/blob/master/lib/rules/define-macros-order.js) | ||
- [Test source](https://github.com/vuejs/eslint-plugin-vue/blob/master/tests/lib/rules/define-macros-order.js) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,288 @@ | ||
/** | ||
* @author Eduard Deisling | ||
* See LICENSE file in root directory for full license. | ||
*/ | ||
'use strict' | ||
|
||
// ------------------------------------------------------------------------------ | ||
// Requirements | ||
// ------------------------------------------------------------------------------ | ||
|
||
const utils = require('../utils') | ||
|
||
// ------------------------------------------------------------------------------ | ||
// Helpers | ||
// ------------------------------------------------------------------------------ | ||
|
||
const MACROS_EMITS = 'defineEmits' | ||
const MACROS_PROPS = 'defineProps' | ||
const ORDER = [MACROS_EMITS, MACROS_PROPS] | ||
const DEFAULT_ORDER = [MACROS_PROPS, MACROS_EMITS] | ||
|
||
/** | ||
* @param {ASTNode} node | ||
*/ | ||
function isUseStrictStatement(node) { | ||
return ( | ||
node.type === 'ExpressionStatement' && | ||
node.expression.type === 'Literal' && | ||
node.expression.value === 'use strict' | ||
) | ||
} | ||
|
||
/** | ||
* Get an index of the first statement after imports and interfaces in order | ||
* to place defineEmits and defineProps before this statement | ||
* @param {Program} program | ||
*/ | ||
function getTargetStatementPosition(program) { | ||
const skipStatements = new Set([ | ||
'ImportDeclaration', | ||
'TSInterfaceDeclaration', | ||
'TSTypeAliasDeclaration', | ||
'DebuggerStatement', | ||
'EmptyStatement' | ||
]) | ||
|
||
for (const [index, item] of program.body.entries()) { | ||
if (!skipStatements.has(item.type) && !isUseStrictStatement(item)) { | ||
return index | ||
} | ||
} | ||
|
||
return -1 | ||
} | ||
|
||
/** | ||
* We need to handle cases like "const props = defineProps(...)" | ||
* Define macros must be used only on top, so we can look for "Program" type | ||
* inside node.parent.type | ||
* @param {CallExpression|ASTNode} node | ||
* @return {ASTNode} | ||
*/ | ||
function getDefineMacrosStatement(node) { | ||
if (!node.parent) { | ||
throw new Error('Node has no parent') | ||
} | ||
|
||
if (node.parent.type === 'Program') { | ||
return node | ||
} | ||
|
||
return getDefineMacrosStatement(node.parent) | ||
} | ||
|
||
// ------------------------------------------------------------------------------ | ||
// Rule Definition | ||
// ------------------------------------------------------------------------------ | ||
|
||
/** @param {RuleContext} context */ | ||
function create(context) { | ||
const scriptSetup = utils.getScriptSetupElement(context) | ||
|
||
if (!scriptSetup) { | ||
return {} | ||
} | ||
|
||
const sourceCode = context.getSourceCode() | ||
const options = context.options | ||
/** @type {[string, string]} */ | ||
const order = (options[0] && options[0].order) || DEFAULT_ORDER | ||
/** @type {Map<string, ASTNode>} */ | ||
const macrosNodes = new Map() | ||
|
||
return utils.compositingVisitors( | ||
utils.defineScriptSetupVisitor(context, { | ||
onDefinePropsExit(node) { | ||
macrosNodes.set(MACROS_PROPS, getDefineMacrosStatement(node)) | ||
}, | ||
onDefineEmitsExit(node) { | ||
macrosNodes.set(MACROS_EMITS, getDefineMacrosStatement(node)) | ||
} | ||
}), | ||
{ | ||
'Program:exit'(program) { | ||
const shouldFirstNode = macrosNodes.get(order[0]) | ||
const shouldSecondNode = macrosNodes.get(order[1]) | ||
const firstStatementIndex = getTargetStatementPosition(program) | ||
const firstStatement = program.body[firstStatementIndex] | ||
|
||
// have both defineEmits and defineProps | ||
if (shouldFirstNode && shouldSecondNode) { | ||
const secondStatement = program.body[firstStatementIndex + 1] | ||
|
||
// need move only first | ||
if (firstStatement === shouldSecondNode) { | ||
reportNotOnTop(order[0], shouldFirstNode, firstStatement) | ||
return | ||
} | ||
|
||
// need move both defineEmits and defineProps | ||
if (firstStatement !== shouldFirstNode) { | ||
reportBothNotOnTop( | ||
shouldFirstNode, | ||
shouldSecondNode, | ||
firstStatement | ||
) | ||
return | ||
} | ||
|
||
// need move only second | ||
if (secondStatement !== shouldSecondNode) { | ||
reportNotOnTop(order[1], shouldSecondNode, shouldFirstNode) | ||
} | ||
|
||
return | ||
} | ||
|
||
// have only first and need to move it | ||
if (shouldFirstNode && firstStatement !== shouldFirstNode) { | ||
reportNotOnTop(order[0], shouldFirstNode, firstStatement) | ||
return | ||
} | ||
|
||
// have only second and need to move it | ||
if (shouldSecondNode && firstStatement !== shouldSecondNode) { | ||
reportNotOnTop(order[1], shouldSecondNode, firstStatement) | ||
} | ||
} | ||
} | ||
) | ||
|
||
/** | ||
* @param {ASTNode} shouldFirstNode | ||
* @param {ASTNode} shouldSecondNode | ||
* @param {ASTNode} before | ||
*/ | ||
function reportBothNotOnTop(shouldFirstNode, shouldSecondNode, before) { | ||
context.report({ | ||
node: shouldFirstNode, | ||
loc: shouldFirstNode.loc, | ||
messageId: 'macrosNotOnTop', | ||
data: { | ||
macro: order[0] | ||
}, | ||
fix(fixer) { | ||
return [ | ||
...moveNodeBefore(fixer, shouldFirstNode, before), | ||
...moveNodeBefore(fixer, shouldSecondNode, before) | ||
] | ||
} | ||
}) | ||
} | ||
|
||
/** | ||
* @param {string} macro | ||
* @param {ASTNode} node | ||
* @param {ASTNode} before | ||
*/ | ||
function reportNotOnTop(macro, node, before) { | ||
context.report({ | ||
node, | ||
loc: node.loc, | ||
messageId: 'macrosNotOnTop', | ||
data: { | ||
macro | ||
}, | ||
fix(fixer) { | ||
return moveNodeBefore(fixer, node, before) | ||
} | ||
}) | ||
} | ||
|
||
/** | ||
* Move all lines of "node" with its comments to before the "target" | ||
* @param {RuleFixer} fixer | ||
* @param {ASTNode} node | ||
* @param {ASTNode} target | ||
*/ | ||
function moveNodeBefore(fixer, node, target) { | ||
// get comments under tokens(if any) | ||
const beforeNodeToken = sourceCode.getTokenBefore(node) | ||
const nodeComment = sourceCode.getTokenAfter(beforeNodeToken, { | ||
includeComments: true | ||
}) | ||
const nextNodeComment = sourceCode.getTokenAfter(node, { | ||
includeComments: true | ||
}) | ||
// get positions of what we need to remove | ||
const cutStart = getLineStartIndex(nodeComment, beforeNodeToken) | ||
const cutEnd = getLineStartIndex(nextNodeComment, node) | ||
// get space before target | ||
const beforeTargetToken = sourceCode.getTokenBefore(target) | ||
const targetComment = sourceCode.getTokenAfter(beforeTargetToken, { | ||
includeComments: true | ||
}) | ||
const textSpace = getTextBetweenTokens(beforeTargetToken, targetComment) | ||
// make insert text: comments + node + space before target | ||
const textNode = sourceCode.getText( | ||
node, | ||
node.range[0] - nodeComment.range[0] | ||
) | ||
const insertText = textNode + textSpace | ||
|
||
return [ | ||
fixer.insertTextBefore(targetComment, insertText), | ||
fixer.removeRange([cutStart, cutEnd]) | ||
] | ||
} | ||
|
||
/** | ||
* @param {ASTNode} tokenBefore | ||
* @param {ASTNode} tokenAfter | ||
*/ | ||
function getTextBetweenTokens(tokenBefore, tokenAfter) { | ||
return sourceCode.text.slice(tokenBefore.range[1], tokenAfter.range[0]) | ||
} | ||
|
||
/** | ||
* Get position of the beginning of the token's line(or prevToken end if no line) | ||
* @param {ASTNode} token | ||
* @param {ASTNode} prevToken | ||
*/ | ||
function getLineStartIndex(token, prevToken) { | ||
// if we have next token on the same line - get index right before that token | ||
if (token.loc.start.line === prevToken.loc.end.line) { | ||
return prevToken.range[1] | ||
} | ||
|
||
return sourceCode.getIndexFromLoc({ | ||
line: token.loc.start.line, | ||
column: 0 | ||
}) | ||
} | ||
} | ||
|
||
module.exports = { | ||
meta: { | ||
type: 'layout', | ||
docs: { | ||
description: | ||
'enforce order of `defineEmits` and `defineProps` compiler macros', | ||
categories: undefined, | ||
url: 'https://eslint.vuejs.org/rules/define-macros-order.html' | ||
}, | ||
fixable: 'code', | ||
schema: [ | ||
{ | ||
type: 'object', | ||
properties: { | ||
order: { | ||
type: 'array', | ||
items: { | ||
enum: Object.values(ORDER) | ||
}, | ||
uniqueItems: true, | ||
additionalItems: false | ||
} | ||
}, | ||
additionalProperties: false | ||
} | ||
], | ||
messages: { | ||
macrosNotOnTop: | ||
'{{macro}} should be the first statement in `<script setup>` (after any potential import statements or type definitions).' | ||
} | ||
}, | ||
create | ||
} |
Oops, something went wrong.