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.
84 lines
2.3 KiB
84 lines
2.3 KiB
/**
|
|
* @fileoverview Rule to enforce a particular function style
|
|
* @author Nicholas C. Zakas
|
|
* @copyright 2013 Nicholas C. Zakas. All rights reserved.
|
|
*/
|
|
"use strict";
|
|
|
|
//------------------------------------------------------------------------------
|
|
// Rule Definition
|
|
//------------------------------------------------------------------------------
|
|
|
|
module.exports = function(context) {
|
|
|
|
var style = context.options[0],
|
|
allowArrowFunctions = context.options[1] && context.options[1].allowArrowFunctions === true,
|
|
enforceDeclarations = (style === "declaration"),
|
|
stack = [];
|
|
|
|
var nodesToCheck = {
|
|
"Program": function() {
|
|
stack = [];
|
|
},
|
|
|
|
"FunctionDeclaration": function(node) {
|
|
stack.push(false);
|
|
|
|
if (!enforceDeclarations && node.parent.type !== "ExportDefaultDeclaration") {
|
|
context.report(node, "Expected a function expression.");
|
|
}
|
|
},
|
|
"FunctionDeclaration:exit": function() {
|
|
stack.pop();
|
|
},
|
|
|
|
"FunctionExpression": function(node) {
|
|
stack.push(false);
|
|
|
|
if (enforceDeclarations && node.parent.type === "VariableDeclarator") {
|
|
context.report(node.parent, "Expected a function declaration.");
|
|
}
|
|
},
|
|
"FunctionExpression:exit": function() {
|
|
stack.pop();
|
|
},
|
|
|
|
"ThisExpression": function() {
|
|
if (stack.length > 0) {
|
|
stack[stack.length - 1] = true;
|
|
}
|
|
}
|
|
};
|
|
|
|
if (!allowArrowFunctions) {
|
|
nodesToCheck.ArrowFunctionExpression = function() {
|
|
stack.push(false);
|
|
};
|
|
|
|
nodesToCheck["ArrowFunctionExpression:exit"] = function(node) {
|
|
var hasThisExpr = stack.pop();
|
|
|
|
if (enforceDeclarations && !hasThisExpr && node.parent.type === "VariableDeclarator") {
|
|
context.report(node.parent, "Expected a function declaration.");
|
|
}
|
|
};
|
|
}
|
|
|
|
return nodesToCheck;
|
|
|
|
};
|
|
|
|
module.exports.schema = [
|
|
{
|
|
"enum": ["declaration", "expression"]
|
|
},
|
|
{
|
|
"type": "object",
|
|
"properties": {
|
|
"allowArrowFunctions": {
|
|
"type": "boolean"
|
|
}
|
|
},
|
|
"additionalProperties": false
|
|
}
|
|
];
|
|
|