max-len.js 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373
  1. /**
  2. * @fileoverview Rule to check for max length on a line.
  3. * @author Matt DuVall <http://www.mattduvall.com>
  4. */
  5. "use strict";
  6. //------------------------------------------------------------------------------
  7. // Constants
  8. //------------------------------------------------------------------------------
  9. const OPTIONS_SCHEMA = {
  10. type: "object",
  11. properties: {
  12. code: {
  13. type: "integer",
  14. minimum: 0
  15. },
  16. comments: {
  17. type: "integer",
  18. minimum: 0
  19. },
  20. tabWidth: {
  21. type: "integer",
  22. minimum: 0
  23. },
  24. ignorePattern: {
  25. type: "string"
  26. },
  27. ignoreComments: {
  28. type: "boolean"
  29. },
  30. ignoreStrings: {
  31. type: "boolean"
  32. },
  33. ignoreUrls: {
  34. type: "boolean"
  35. },
  36. ignoreTemplateLiterals: {
  37. type: "boolean"
  38. },
  39. ignoreRegExpLiterals: {
  40. type: "boolean"
  41. },
  42. ignoreTrailingComments: {
  43. type: "boolean"
  44. }
  45. },
  46. additionalProperties: false
  47. };
  48. const OPTIONS_OR_INTEGER_SCHEMA = {
  49. anyOf: [
  50. OPTIONS_SCHEMA,
  51. {
  52. type: "integer",
  53. minimum: 0
  54. }
  55. ]
  56. };
  57. //------------------------------------------------------------------------------
  58. // Rule Definition
  59. //------------------------------------------------------------------------------
  60. module.exports = {
  61. meta: {
  62. docs: {
  63. description: "enforce a maximum line length",
  64. category: "Stylistic Issues",
  65. recommended: false,
  66. url: "https://eslint.org/docs/rules/max-len"
  67. },
  68. schema: [
  69. OPTIONS_OR_INTEGER_SCHEMA,
  70. OPTIONS_OR_INTEGER_SCHEMA,
  71. OPTIONS_SCHEMA
  72. ]
  73. },
  74. create(context) {
  75. /*
  76. * Inspired by http://tools.ietf.org/html/rfc3986#appendix-B, however:
  77. * - They're matching an entire string that we know is a URI
  78. * - We're matching part of a string where we think there *might* be a URL
  79. * - We're only concerned about URLs, as picking out any URI would cause
  80. * too many false positives
  81. * - We don't care about matching the entire URL, any small segment is fine
  82. */
  83. const URL_REGEXP = /[^:/?#]:\/\/[^?#]/;
  84. const sourceCode = context.getSourceCode();
  85. /**
  86. * Computes the length of a line that may contain tabs. The width of each
  87. * tab will be the number of spaces to the next tab stop.
  88. * @param {string} line The line.
  89. * @param {int} tabWidth The width of each tab stop in spaces.
  90. * @returns {int} The computed line length.
  91. * @private
  92. */
  93. function computeLineLength(line, tabWidth) {
  94. let extraCharacterCount = 0;
  95. line.replace(/\t/g, (match, offset) => {
  96. const totalOffset = offset + extraCharacterCount,
  97. previousTabStopOffset = tabWidth ? totalOffset % tabWidth : 0,
  98. spaceCount = tabWidth - previousTabStopOffset;
  99. extraCharacterCount += spaceCount - 1; // -1 for the replaced tab
  100. });
  101. return Array.from(line).length + extraCharacterCount;
  102. }
  103. // The options object must be the last option specified…
  104. const lastOption = context.options[context.options.length - 1];
  105. const options = typeof lastOption === "object" ? Object.create(lastOption) : {};
  106. // …but max code length…
  107. if (typeof context.options[0] === "number") {
  108. options.code = context.options[0];
  109. }
  110. // …and tabWidth can be optionally specified directly as integers.
  111. if (typeof context.options[1] === "number") {
  112. options.tabWidth = context.options[1];
  113. }
  114. const maxLength = options.code || 80,
  115. tabWidth = options.tabWidth || 4,
  116. ignoreComments = options.ignoreComments || false,
  117. ignoreStrings = options.ignoreStrings || false,
  118. ignoreTemplateLiterals = options.ignoreTemplateLiterals || false,
  119. ignoreRegExpLiterals = options.ignoreRegExpLiterals || false,
  120. ignoreTrailingComments = options.ignoreTrailingComments || options.ignoreComments || false,
  121. ignoreUrls = options.ignoreUrls || false,
  122. maxCommentLength = options.comments;
  123. let ignorePattern = options.ignorePattern || null;
  124. if (ignorePattern) {
  125. ignorePattern = new RegExp(ignorePattern);
  126. }
  127. //--------------------------------------------------------------------------
  128. // Helpers
  129. //--------------------------------------------------------------------------
  130. /**
  131. * Tells if a given comment is trailing: it starts on the current line and
  132. * extends to or past the end of the current line.
  133. * @param {string} line The source line we want to check for a trailing comment on
  134. * @param {number} lineNumber The one-indexed line number for line
  135. * @param {ASTNode} comment The comment to inspect
  136. * @returns {boolean} If the comment is trailing on the given line
  137. */
  138. function isTrailingComment(line, lineNumber, comment) {
  139. return comment &&
  140. (comment.loc.start.line === lineNumber && lineNumber <= comment.loc.end.line) &&
  141. (comment.loc.end.line > lineNumber || comment.loc.end.column === line.length);
  142. }
  143. /**
  144. * Tells if a comment encompasses the entire line.
  145. * @param {string} line The source line with a trailing comment
  146. * @param {number} lineNumber The one-indexed line number this is on
  147. * @param {ASTNode} comment The comment to remove
  148. * @returns {boolean} If the comment covers the entire line
  149. */
  150. function isFullLineComment(line, lineNumber, comment) {
  151. const start = comment.loc.start,
  152. end = comment.loc.end,
  153. isFirstTokenOnLine = !line.slice(0, comment.loc.start.column).trim();
  154. return comment &&
  155. (start.line < lineNumber || (start.line === lineNumber && isFirstTokenOnLine)) &&
  156. (end.line > lineNumber || (end.line === lineNumber && end.column === line.length));
  157. }
  158. /**
  159. * Gets the line after the comment and any remaining trailing whitespace is
  160. * stripped.
  161. * @param {string} line The source line with a trailing comment
  162. * @param {ASTNode} comment The comment to remove
  163. * @returns {string} Line without comment and trailing whitepace
  164. */
  165. function stripTrailingComment(line, comment) {
  166. // loc.column is zero-indexed
  167. return line.slice(0, comment.loc.start.column).replace(/\s+$/, "");
  168. }
  169. /**
  170. * Ensure that an array exists at [key] on `object`, and add `value` to it.
  171. *
  172. * @param {Object} object the object to mutate
  173. * @param {string} key the object's key
  174. * @param {*} value the value to add
  175. * @returns {void}
  176. * @private
  177. */
  178. function ensureArrayAndPush(object, key, value) {
  179. if (!Array.isArray(object[key])) {
  180. object[key] = [];
  181. }
  182. object[key].push(value);
  183. }
  184. /**
  185. * Retrieves an array containing all strings (" or ') in the source code.
  186. *
  187. * @returns {ASTNode[]} An array of string nodes.
  188. */
  189. function getAllStrings() {
  190. return sourceCode.ast.tokens.filter(token => (token.type === "String" ||
  191. (token.type === "JSXText" && sourceCode.getNodeByRangeIndex(token.range[0] - 1).type === "JSXAttribute")));
  192. }
  193. /**
  194. * Retrieves an array containing all template literals in the source code.
  195. *
  196. * @returns {ASTNode[]} An array of template literal nodes.
  197. */
  198. function getAllTemplateLiterals() {
  199. return sourceCode.ast.tokens.filter(token => token.type === "Template");
  200. }
  201. /**
  202. * Retrieves an array containing all RegExp literals in the source code.
  203. *
  204. * @returns {ASTNode[]} An array of RegExp literal nodes.
  205. */
  206. function getAllRegExpLiterals() {
  207. return sourceCode.ast.tokens.filter(token => token.type === "RegularExpression");
  208. }
  209. /**
  210. * A reducer to group an AST node by line number, both start and end.
  211. *
  212. * @param {Object} acc the accumulator
  213. * @param {ASTNode} node the AST node in question
  214. * @returns {Object} the modified accumulator
  215. * @private
  216. */
  217. function groupByLineNumber(acc, node) {
  218. for (let i = node.loc.start.line; i <= node.loc.end.line; ++i) {
  219. ensureArrayAndPush(acc, i, node);
  220. }
  221. return acc;
  222. }
  223. /**
  224. * Check the program for max length
  225. * @param {ASTNode} node Node to examine
  226. * @returns {void}
  227. * @private
  228. */
  229. function checkProgramForMaxLength(node) {
  230. // split (honors line-ending)
  231. const lines = sourceCode.lines,
  232. // list of comments to ignore
  233. comments = ignoreComments || maxCommentLength || ignoreTrailingComments ? sourceCode.getAllComments() : [];
  234. // we iterate over comments in parallel with the lines
  235. let commentsIndex = 0;
  236. const strings = getAllStrings();
  237. const stringsByLine = strings.reduce(groupByLineNumber, {});
  238. const templateLiterals = getAllTemplateLiterals();
  239. const templateLiteralsByLine = templateLiterals.reduce(groupByLineNumber, {});
  240. const regExpLiterals = getAllRegExpLiterals();
  241. const regExpLiteralsByLine = regExpLiterals.reduce(groupByLineNumber, {});
  242. lines.forEach((line, i) => {
  243. // i is zero-indexed, line numbers are one-indexed
  244. const lineNumber = i + 1;
  245. /*
  246. * if we're checking comment length; we need to know whether this
  247. * line is a comment
  248. */
  249. let lineIsComment = false;
  250. let textToMeasure;
  251. /*
  252. * We can short-circuit the comment checks if we're already out of
  253. * comments to check.
  254. */
  255. if (commentsIndex < comments.length) {
  256. let comment = null;
  257. // iterate over comments until we find one past the current line
  258. do {
  259. comment = comments[++commentsIndex];
  260. } while (comment && comment.loc.start.line <= lineNumber);
  261. // and step back by one
  262. comment = comments[--commentsIndex];
  263. if (isFullLineComment(line, lineNumber, comment)) {
  264. lineIsComment = true;
  265. textToMeasure = line;
  266. } else if (ignoreTrailingComments && isTrailingComment(line, lineNumber, comment)) {
  267. textToMeasure = stripTrailingComment(line, comment);
  268. } else {
  269. textToMeasure = line;
  270. }
  271. } else {
  272. textToMeasure = line;
  273. }
  274. if (ignorePattern && ignorePattern.test(textToMeasure) ||
  275. ignoreUrls && URL_REGEXP.test(textToMeasure) ||
  276. ignoreStrings && stringsByLine[lineNumber] ||
  277. ignoreTemplateLiterals && templateLiteralsByLine[lineNumber] ||
  278. ignoreRegExpLiterals && regExpLiteralsByLine[lineNumber]
  279. ) {
  280. // ignore this line
  281. return;
  282. }
  283. const lineLength = computeLineLength(textToMeasure, tabWidth);
  284. const commentLengthApplies = lineIsComment && maxCommentLength;
  285. if (lineIsComment && ignoreComments) {
  286. return;
  287. }
  288. if (commentLengthApplies) {
  289. if (lineLength > maxCommentLength) {
  290. context.report({
  291. node,
  292. loc: { line: lineNumber, column: 0 },
  293. message: "Line {{lineNumber}} exceeds the maximum comment line length of {{maxCommentLength}}.",
  294. data: {
  295. lineNumber: i + 1,
  296. maxCommentLength
  297. }
  298. });
  299. }
  300. } else if (lineLength > maxLength) {
  301. context.report({
  302. node,
  303. loc: { line: lineNumber, column: 0 },
  304. message: "Line {{lineNumber}} exceeds the maximum line length of {{maxLength}}.",
  305. data: {
  306. lineNumber: i + 1,
  307. maxLength
  308. }
  309. });
  310. }
  311. });
  312. }
  313. //--------------------------------------------------------------------------
  314. // Public API
  315. //--------------------------------------------------------------------------
  316. return {
  317. Program: checkProgramForMaxLength
  318. };
  319. }
  320. };