Skip to content
代码片段 群组 项目
未验证 提交 2550b269 编辑于 作者: Paul Gascou-Vaillancourt's avatar Paul Gascou-Vaillancourt 提交者: GitLab
浏览文件

Enable the `vue/no-unused-properties` ESLint rule

上级 fd80d5ae
No related branches found
No related tags found
无相关合并请求
export { default as vueNoUnusedProperties } from './vue-no-unused-properties.mjs';
此差异已折叠。
......@@ -515,6 +515,7 @@
.code-backstage-patterns: &code-backstage-patterns
- ".{gitattributes,nvmrc,prettierrc,stylelintrc,yamllint}"
- "eslint.config.mjs"
- ".eslint_todo/*.mjs"
- ".browserslistrc"
- ".stylelintrc"
- "{,ee/,jh/}{app,bin,config,db,elastic,generator_templates,gems,haml_lint,lib,locale,public,scripts,sidekiq_cluster,storybook,symbol,vendor}/**/*"
......
......@@ -90,6 +90,47 @@ import Foo from 'foo';
new Foo();
```
### Generating todo files
When enabling a new ESLint rule that uncovers many offenses across the codebase, it might be easier
to generate a todo file to temporarily ignore those offenses. This approach has some pros and cons:
**Pros:**
- A single source of truth for all the files that violate a specific rule. This can make it easier
to track the work necessary to pay the incurred technical debt.
- A smaller changeset when initially enabling the rule as you don't need to modify every offending
file.
**Cons:**
- Disabling the rule for entire files means that more offenses of the same type can be introduced in
those files.
- When fixing offenses over multiple concurrent merge requests, conflicts can often arise in the todo files,
requiring MR authors to rebase their branches.
To generate a todo file, run the `scripts/frontend/generate_eslint_todo_list.mjs` script:
```shell
node scripts/frontend/generate_eslint_todo_list.mjs <rule_name>
```
For example, generating a todo file for the `vue/no-unused-properties` rule:
```shell
node scripts/frontend/generate_eslint_todo_list.mjs vue/no-unused-properties
```
This creates an ESLint configuration in `.eslint_todo/vue-no-unused-properties.mjs` which gets
automatically added to the global configuration.
Once a todo file has been created for a given rule, make sure to plan for the work necessary to
address those violations. Todo files should be as short lived as possible. If some offenses cannot
be addressed, switch to inline ignores by [disabling ESLint for a single violation](#disabling-eslint-for-a-single-violation).
When all offending files have been fixed, the todo file should be removed along with the `export`
statement in `.eslint_todo/index.mjs`.
### The `no-undef` rule and declaring globals
**Never** disable the `no-undef` rule. Declare globals with `/* global Foo */` instead.
......
......@@ -5,6 +5,7 @@ import localRules from 'eslint-plugin-local-rules';
import js from '@eslint/js';
import { FlatCompat } from '@eslint/eslintrc';
import * as graphqlEslint from '@graphql-eslint/eslint-plugin';
import * as todoLists from './.eslint_todo/index.mjs'
const { dirname } = import.meta;
const compat = new FlatCompat({
......@@ -395,6 +396,17 @@ export default [
'local-rules/vue-require-valid-help-page-link-component': 'error',
},
},
{
files: ['**/*.vue'],
rules: {
'vue/no-unused-properties': [
'error',
{
groups: ['props', 'data', 'computed', 'methods'],
},
],
},
},
{
files: ['{,ee/,jh/}spec/frontend*/**/*'],
......@@ -719,4 +731,5 @@ export default [
},
},
...jhConfigs,
...Object.values(todoLists),
];
import path from 'node:path';
import fs from 'node:fs';
import { ESLint } from 'eslint';
import { program } from 'commander';
import * as prettier from 'prettier';
import kebabCase from 'lodash/kebabCase.js';
import camelCase from 'lodash/camelCase.js';
import sortBy from 'lodash/sortBy.js';
import eslintConfig from '../../eslint.config.mjs';
const ROOT_PATH = path.resolve(import.meta.dirname, '../../');
function createESLintInstance(overrideConfig) {
return new ESLint({ overrideConfigFile: true, overrideConfig, fix: false });
}
function lint(eslint, filePaths) {
return eslint.lintFiles(filePaths);
}
/**
* Creates a barebone ESLint config to lint the codebase with. We only keep configs that make use
* of the rule we are generating a todo file for. If no config use the rule, this returns `null` and
* should cause the script to abort its execution.
*
* @param {string} rule The rule to generate a todo file for.
* @returns {object|null} The config to use for the rule.
*/
function getConfigForRule(rule) {
let configHasRule = false;
const newConfig = eslintConfig
.map((config) => {
// We preserve existing configs for the rule so that we don't add valid files to the todo file.
// However, we bypass configs that disabled the rule as those are likely the todo files themselves.
const hasRuleDefinition = config.rules?.[rule] && config.rules[rule] !== 'off';
if (hasRuleDefinition) {
configHasRule = true;
return {
...config,
rules: {
[rule]: config.rules[rule],
},
};
}
return {
...config,
rules: {},
};
})
.filter((config) => config !== null);
if (configHasRule) {
return newConfig;
}
return null;
}
function getOffendingFiles(results, rule) {
return results.reduce((acc, result) => {
const hasRuleError = result.messages.some((message) => message.ruleId === rule);
if (hasRuleError) {
acc.push(result.filePath);
}
return acc;
}, []);
}
async function prettify(data) {
const prettierConfig = await prettier.resolveConfig(path.join(ROOT_PATH, '.prettierrc'));
return prettier.format(data, {
...prettierConfig,
parser: 'babel',
});
}
async function writeTodoFile(rule, offendingFiles) {
const slugifiedRule = kebabCase(rule);
const todoFileName = `${slugifiedRule}.mjs`;
const todoFilePath = path.join(ROOT_PATH, '.eslint_todo', todoFileName);
const camelCasedRule = camelCase(rule);
const relativePaths = sortBy(offendingFiles.map((file) => path.relative(ROOT_PATH, file)))
.map((relativePath) => `'${relativePath}'`)
.join(',\n');
const indexFilePath = path.join(ROOT_PATH, '.eslint_todo', 'index.mjs');
const indexFileContent = fs.readFileSync(indexFilePath, { encoding: 'utf-8' });
console.log(`Writing todo file to ${todoFilePath}.`);
const newConfig = `
/**
* Generated by \`scripts/frontend/generate_eslint_todo_list.mjs\`.
*/
export default {
files: [${relativePaths}],
rules: {
'${rule}': 'off',
},
}
`;
const formattedTodoFileContent = await prettify(newConfig);
fs.writeFileSync(todoFilePath, formattedTodoFileContent);
if (!indexFileContent.match(camelCasedRule)) {
console.log(`Adding export statement to ${indexFilePath}.`);
const exportStatement = `export { default as ${camelCasedRule} } from './${todoFileName}';`;
const newIndexFileContent = `${indexFileContent}\n${exportStatement}`;
const formattedNewIndexFileContent = await prettify(newIndexFileContent);
fs.writeFileSync(indexFilePath, formattedNewIndexFileContent);
} else {
console.log(`Export statement already exists in ${indexFilePath}.`);
}
}
async function main() {
program
.description(
'Generates a todo file to skip linting on offending files for a specific ESLint rule.',
)
.option('--debug-config', 'Prints the ESLint config used to generate the todo file.')
.argument('<rule>')
.parse(process.argv);
const options = program.opts();
const [rule] = program.args;
console.log(`Generating todo file for rule \`${rule}\`...`);
const overrideConfig = getConfigForRule(rule);
if (overrideConfig === null) {
console.error(
`The rule \`${rule}\` could not be found in the ESLint configuration. It needs to be enabled before generating a todo file.`,
);
process.exitCode = 1;
return;
}
if (options.debugConfig) {
console.log('Using ESLint configuration:');
console.log(overrideConfig);
}
const eslint = createESLintInstance(overrideConfig);
const results = await lint(eslint, [
'./app/assets/javascripts/**/*.{js,mjs,cjs,vue}',
'./ee/app/assets/javascripts/**/*.{js,mjs,cjs,vue}',
'./spec/frontend/**/*.js',
'./ee/spec/frontend/**/*.js',
'scripts/**/*.{js,mjs,cjs}',
]);
const offendingFiles = getOffendingFiles(results, rule);
if (offendingFiles.length > 0) {
console.log(`Found ${offendingFiles.length} offending files.`);
await writeTodoFile(rule, offendingFiles);
} else {
console.error('No offenses found. Delete any existing todo file if it is not needed anymore.');
process.exitCode = 1;
}
}
main();
0% 加载中 .
You are about to add 0 people to the discussion. Proceed with caution.
先完成此消息的编辑!
想要评论请 注册