mirror of https://github.com/lukechilds/node.git
You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
61 lines
1.9 KiB
61 lines
1.9 KiB
/**
|
|
* @fileoverview Rule to require sorting of variables within a single Variable Declaration block
|
|
* @author Ilya Volodin
|
|
*/
|
|
|
|
"use strict";
|
|
|
|
//------------------------------------------------------------------------------
|
|
// Rule Definition
|
|
//------------------------------------------------------------------------------
|
|
|
|
module.exports = {
|
|
meta: {
|
|
docs: {
|
|
description: "require variables within the same declaration block to be sorted",
|
|
category: "Stylistic Issues",
|
|
recommended: false
|
|
},
|
|
|
|
schema: [
|
|
{
|
|
type: "object",
|
|
properties: {
|
|
ignoreCase: {
|
|
type: "boolean"
|
|
}
|
|
},
|
|
additionalProperties: false
|
|
}
|
|
]
|
|
},
|
|
|
|
create(context) {
|
|
|
|
const configuration = context.options[0] || {},
|
|
ignoreCase = configuration.ignoreCase || false;
|
|
|
|
return {
|
|
VariableDeclaration(node) {
|
|
const idDeclarations = node.declarations.filter(decl => decl.id.type === "Identifier");
|
|
|
|
idDeclarations.slice(1).reduce((memo, decl) => {
|
|
let lastVariableName = memo.id.name,
|
|
currenVariableName = decl.id.name;
|
|
|
|
if (ignoreCase) {
|
|
lastVariableName = lastVariableName.toLowerCase();
|
|
currenVariableName = currenVariableName.toLowerCase();
|
|
}
|
|
|
|
if (currenVariableName < lastVariableName) {
|
|
context.report({ node: decl, message: "Variables within the same declaration block should be sorted alphabetically." });
|
|
return memo;
|
|
}
|
|
return decl;
|
|
|
|
}, idDeclarations[0]);
|
|
}
|
|
};
|
|
}
|
|
};
|
|
|