]> git.proxmox.com Git - pve-eslint.git/blob - eslint/docs/developer-guide/working-with-rules.md
import 8.4.0 source
[pve-eslint.git] / eslint / docs / developer-guide / working-with-rules.md
1 # Working with Rules
2
3 **Note:** This page covers the most recent rule format for ESLint >= 3.0.0. There is also a [deprecated rule format](./working-with-rules-deprecated.md).
4
5 Each rule in ESLint has three files named with its identifier (for example, `no-extra-semi`).
6
7 * in the `lib/rules` directory: a source file (for example, `no-extra-semi.js`)
8 * in the `tests/lib/rules` directory: a test file (for example, `no-extra-semi.js`)
9 * in the `docs/rules` directory: a Markdown documentation file (for example, `no-extra-semi.md`)
10
11 **Important:** If you submit a **core** rule to the ESLint repository, you **must** follow some conventions explained below.
12
13 Here is the basic format of the source file for a rule:
14
15 ```js
16 /**
17 * @fileoverview Rule to disallow unnecessary semicolons
18 * @author Nicholas C. Zakas
19 */
20
21 "use strict";
22
23 //------------------------------------------------------------------------------
24 // Rule Definition
25 //------------------------------------------------------------------------------
26
27 /** @type {import('eslint').Rule.RuleModule} */
28 module.exports = {
29 meta: {
30 type: "suggestion",
31
32 docs: {
33 description: "disallow unnecessary semicolons",
34 category: "Possible Errors",
35 recommended: true,
36 url: "https://eslint.org/docs/rules/no-extra-semi"
37 },
38 fixable: "code",
39 schema: [] // no options
40 },
41 create: function(context) {
42 return {
43 // callback functions
44 };
45 }
46 };
47 ```
48
49 ## Rule Basics
50
51 The source file for a rule exports an object with the following properties.
52
53 `meta` (object) contains metadata for the rule:
54
55 * `type` (string) indicates the type of rule, which is one of `"problem"`, `"suggestion"`, or `"layout"`:
56 * `"problem"` means the rule is identifying code that either will cause an error or may cause a confusing behavior. Developers should consider this a high priority to resolve.
57 * `"suggestion"` means the rule is identifying something that could be done in a better way but no errors will occur if the code isn't changed.
58 * `"layout"` means the rule cares primarily about whitespace, semicolons, commas, and parentheses, all the parts of the program that determine how the code looks rather than how it executes. These rules work on parts of the code that aren't specified in the AST.
59
60 * `docs` (object) is required for core rules of ESLint:
61
62 * `description` (string) provides the short description of the rule in the [rules index](../rules/)
63 * `category` (string) specifies the heading under which the rule is listed in the [rules index](../rules/)
64 * `recommended` (boolean) is whether the `"extends": "eslint:recommended"` property in a [configuration file](../user-guide/configuring/configuration-files.md#extending-configuration-files) enables the rule
65 * `url` (string) specifies the URL at which the full documentation can be accessed (enabling code editors to provide a helpful link on highlighted rule violations)
66
67 In a custom rule or plugin, you can omit `docs` or include any properties that you need in it.
68
69 * `fixable` (string) is either `"code"` or `"whitespace"` if the `--fix` option on the [command line](../user-guide/command-line-interface.md#--fix) automatically fixes problems reported by the rule
70
71 **Important:** the `fixable` property is mandatory for fixable rules. If this property isn't specified, ESLint will throw an error whenever the rule attempts to produce a fix. Omit the `fixable` property if the rule is not fixable.
72
73 * `hasSuggestions` (boolean) specifies whether rules can return suggestions (defaults to `false` if omitted)
74
75 **Important:** the `hasSuggestions` property is mandatory for rules that provide suggestions. If this property isn't set to `true`, ESLint will throw an error whenever the rule attempts to produce a suggestion. Omit the `hasSuggestions` property if the rule does not provide suggestions.
76
77 * `schema` (array) specifies the [options](#options-schemas) so ESLint can prevent invalid [rule configurations](../user-guide/configuring/rules.md#configuring-rules)
78
79 * `deprecated` (boolean) indicates whether the rule has been deprecated. You may omit the `deprecated` property if the rule has not been deprecated.
80
81 * `replacedBy` (array) in the case of a deprecated rule, specifies replacement rule(s)
82
83 `create` (function) returns an object with methods that ESLint calls to "visit" nodes while traversing the abstract syntax tree (AST as defined by [ESTree](https://github.com/estree/estree)) of JavaScript code:
84
85 * if a key is a node type or a [selector](./selectors.md), ESLint calls that **visitor** function while going **down** the tree
86 * if a key is a node type or a [selector](./selectors.md) plus `:exit`, ESLint calls that **visitor** function while going **up** the tree
87 * if a key is an event name, ESLint calls that **handler** function for [code path analysis](./code-path-analysis.md)
88
89 A rule can use the current node and its surrounding tree to report or fix problems.
90
91 Here are methods for the [array-callback-return](../rules/array-callback-return.md) rule:
92
93 ```js
94 function checkLastSegment (node) {
95 // report problem for function if last code path segment is reachable
96 }
97
98 module.exports = {
99 meta: { ... },
100 create: function(context) {
101 // declare the state of the rule
102 return {
103 ReturnStatement: function(node) {
104 // at a ReturnStatement node while going down
105 },
106 // at a function expression node while going up:
107 "FunctionExpression:exit": checkLastSegment,
108 "ArrowFunctionExpression:exit": checkLastSegment,
109 onCodePathStart: function (codePath, node) {
110 // at the start of analyzing a code path
111 },
112 onCodePathEnd: function(codePath, node) {
113 // at the end of analyzing a code path
114 }
115 };
116 }
117 };
118 ```
119
120 ## The Context Object
121
122 The `context` object contains additional functionality that is helpful for rules to do their jobs. As the name implies, the `context` object contains information that is relevant to the context of the rule. The `context` object has the following properties:
123
124 * `parserOptions` - the parser options configured for this run (more details [here](../user-guide/configuring/language-options.md#specifying-parser-options)).
125 * `id` - the rule ID.
126 * `options` - an array of the [configured options](/docs/user-guide/configuring/rules.md#configuring-rules) for this rule. This array does not include the rule severity. For more information, see [here](#contextoptions).
127 * `settings` - the [shared settings](/docs/user-guide/configuring/configuration-files.md#adding-shared-settings) from configuration.
128 * `parserPath` - the name of the `parser` from configuration.
129 * `parserServices` - an object containing parser-provided services for rules. The default parser does not provide any services. However, if a rule is intended to be used with a custom parser, it could use `parserServices` to access anything provided by that parser. (For example, a TypeScript parser could provide the ability to get the computed type of a given node.)
130
131 Additionally, the `context` object has the following methods:
132
133 * `getAncestors()` - returns an array of the ancestors of the currently-traversed node, starting at the root of the AST and continuing through the direct parent of the current node. This array does not include the currently-traversed node itself.
134 * `getCwd()` - returns the `cwd` passed to [Linter](./nodejs-api.md#linter). It is a path to a directory that should be considered as the current working directory.
135 * `getDeclaredVariables(node)` - returns a list of [variables](./scope-manager-interface.md#variable-interface) declared by the given node. This information can be used to track references to variables.
136 * If the node is a `VariableDeclaration`, all variables declared in the declaration are returned.
137 * If the node is a `VariableDeclarator`, all variables declared in the declarator are returned.
138 * If the node is a `FunctionDeclaration` or `FunctionExpression`, the variable for the function name is returned, in addition to variables for the function parameters.
139 * If the node is an `ArrowFunctionExpression`, variables for the parameters are returned.
140 * If the node is a `ClassDeclaration` or a `ClassExpression`, the variable for the class name is returned.
141 * If the node is a `CatchClause`, the variable for the exception is returned.
142 * If the node is an `ImportDeclaration`, variables for all of its specifiers are returned.
143 * If the node is an `ImportSpecifier`, `ImportDefaultSpecifier`, or `ImportNamespaceSpecifier`, the declared variable is returned.
144 * Otherwise, if the node does not declare any variables, an empty array is returned.
145 * `getFilename()` - returns the filename associated with the source.
146 * `getPhysicalFilename()` - when linting a file, it returns the full path of the file on disk without any code block information. When linting text, it returns the value passed to `—stdin-filename` or `<text>` if not specified.
147 * `getScope()` - returns the [scope](./scope-manager-interface.md#scope-interface) of the currently-traversed node. This information can be used to track references to variables.
148 * `getSourceCode()` - returns a [`SourceCode`](#contextgetsourcecode) object that you can use to work with the source that was passed to ESLint.
149 * `markVariableAsUsed(name)` - marks a variable with the given name in the current scope as used. This affects the [no-unused-vars](../rules/no-unused-vars.md) rule. Returns `true` if a variable with the given name was found and marked as used, otherwise `false`.
150 * `report(descriptor)` - reports a problem in the code (see the [dedicated section](#contextreport)).
151
152 **Note:** Earlier versions of ESLint supported additional methods on the `context` object. Those methods were removed in the new format and should not be relied upon.
153
154 ### context.getScope()
155
156 This method returns the scope which has the following types:
157
158 | AST Node Type | Scope Type |
159 |:--------------------------|:-----------|
160 | `Program` | `global` |
161 | `FunctionDeclaration` | `function` |
162 | `FunctionExpression` | `function` |
163 | `ArrowFunctionExpression` | `function` |
164 | `ClassDeclaration` | `class` |
165 | `ClassExpression` | `class` |
166 | `BlockStatement` ※1 | `block` |
167 | `SwitchStatement` ※1 | `switch` |
168 | `ForStatement` ※2 | `for` |
169 | `ForInStatement` ※2 | `for` |
170 | `ForOfStatement` ※2 | `for` |
171 | `WithStatement` | `with` |
172 | `CatchClause` | `catch` |
173 | others | ※3 |
174
175 **※1** Only if the configured parser provided the block-scope feature. The default parser provides the block-scope feature if `parserOptions.ecmaVersion` is not less than `6`.<br>
176 **※2** Only if the `for` statement defines the iteration variable as a block-scoped variable (E.g., `for (let i = 0;;) {}`).<br>
177 **※3** The scope of the closest ancestor node which has own scope. If the closest ancestor node has multiple scopes then it chooses the innermost scope (E.g., the `Program` node has a `global` scope and a `module` scope if `Program#sourceType` is `"module"`. The innermost scope is the `module` scope.).
178
179 The returned value is a [`Scope` object](scope-manager-interface.md) defined by the `eslint-scope` package. The `Variable` objects of global variables have some additional properties.
180
181 * `variable.writeable` (`boolean | undefined`) ... If `true`, this global variable can be assigned arbitrary value. If `false`, this global variable is read-only.
182 * `variable.eslintExplicitGlobal` (`boolean | undefined`) ... If `true`, this global variable was defined by a `/* globals */` directive comment in the source code file.
183 * `variable.eslintExplicitGlobalComments` (`Comment[] | undefined`) ... The array of `/* globals */` directive comments which defined this global variable in the source code file. This property is `undefined` if there are no `/* globals */` directive comments.
184 * `variable.eslintImplicitGlobalSetting` (`"readonly" | "writable" | undefined`) ... The configured value in config files. This can be different from `variable.writeable` if there are `/* globals */` directive comments.
185
186 ### context.report()
187
188 The main method you'll use is `context.report()`, which publishes a warning or error (depending on the configuration being used). This method accepts a single argument, which is an object containing the following properties:
189
190 * `message` - the problem message.
191 * `node` - (optional) the AST node related to the problem. If present and `loc` is not specified, then the starting location of the node is used as the location of the problem.
192 * `loc` - (optional) an object specifying the location of the problem. If both `loc` and `node` are specified, then the location is used from `loc` instead of `node`.
193 * `start` - An object of the start location.
194 * `line` - the 1-based line number at which the problem occurred.
195 * `column` - the 0-based column number at which the problem occurred.
196 * `end` - An object of the end location.
197 * `line` - the 1-based line number at which the problem occurred.
198 * `column` - the 0-based column number at which the problem occurred.
199 * `data` - (optional) [placeholder](#using-message-placeholders) data for `message`.
200 * `fix` - (optional) a function that applies a [fix](#applying-fixes) to resolve the problem.
201
202 Note that at least one of `node` or `loc` is required.
203
204 The simplest example is to use just `node` and `message`:
205
206 ```js
207 context.report({
208 node: node,
209 message: "Unexpected identifier"
210 });
211 ```
212
213 The node contains all of the information necessary to figure out the line and column number of the offending text as well the source text representing the node.
214
215 ### Using message placeholders
216
217 You can also use placeholders in the message and provide `data`:
218
219 ```js
220 {% raw %}
221 context.report({
222 node: node,
223 message: "Unexpected identifier: {{ identifier }}",
224 data: {
225 identifier: node.name
226 }
227 });
228 {% endraw %}
229 ```
230
231 Note that leading and trailing whitespace is optional in message parameters.
232
233 The node contains all of the information necessary to figure out the line and column number of the offending text as well the source text representing the node.
234
235 ### `messageId`s
236
237 Instead of typing out messages in both the `context.report()` call and your tests, you can use `messageId`s instead.
238
239 This allows you to avoid retyping error messages. It also prevents errors reported in different sections of your rule from having out-of-date messages.
240
241 ```js
242 {% raw %}
243 // in your rule
244 module.exports = {
245 meta: {
246 messages: {
247 avoidName: "Avoid using variables named '{{ name }}'"
248 }
249 },
250 create(context) {
251 return {
252 Identifier(node) {
253 if (node.name === "foo") {
254 context.report({
255 node,
256 messageId: "avoidName",
257 data: {
258 name: "foo",
259 }
260 });
261 }
262 }
263 };
264 }
265 };
266
267 // in the file to lint:
268
269 var foo = 2;
270 // ^ error: Avoid using variables named 'foo'
271
272 // In your tests:
273 var rule = require("../../../lib/rules/my-rule");
274 var RuleTester = require("eslint").RuleTester;
275
276 var ruleTester = new RuleTester();
277 ruleTester.run("my-rule", rule, {
278 valid: ["bar", "baz"],
279 invalid: [
280 {
281 code: "foo",
282 errors: [
283 {
284 messageId: "avoidName"
285 }
286 ]
287 }
288 ]
289 });
290 {% endraw %}
291 ```
292
293 ### Applying Fixes
294
295 If you'd like ESLint to attempt to fix the problem you're reporting, you can do so by specifying the `fix` function when using `context.report()`. The `fix` function receives a single argument, a `fixer` object, that you can use to apply a fix. For example:
296
297 ```js
298 context.report({
299 node: node,
300 message: "Missing semicolon",
301 fix: function(fixer) {
302 return fixer.insertTextAfter(node, ";");
303 }
304 });
305 ```
306
307 Here, the `fix()` function is used to insert a semicolon after the node. Note that a fix is not immediately applied, and may not be applied at all if there are conflicts with other fixes. After applying fixes, ESLint will run all of the enabled rules again on the fixed code, potentially applying more fixes. This process will repeat up to 10 times, or until no more fixable problems are found. Afterwards, any remaining problems will be reported as usual.
308
309 **Important:** The `meta.fixable` property is mandatory for fixable rules. ESLint will throw an error if a rule that implements `fix` functions does not [export](#rule-basics) the `meta.fixable` property.
310
311 The `fixer` object has the following methods:
312
313 * `insertTextAfter(nodeOrToken, text)` - inserts text after the given node or token
314 * `insertTextAfterRange(range, text)` - inserts text after the given range
315 * `insertTextBefore(nodeOrToken, text)` - inserts text before the given node or token
316 * `insertTextBeforeRange(range, text)` - inserts text before the given range
317 * `remove(nodeOrToken)` - removes the given node or token
318 * `removeRange(range)` - removes text in the given range
319 * `replaceText(nodeOrToken, text)` - replaces the text in the given node or token
320 * `replaceTextRange(range, text)` - replaces the text in the given range
321
322 A range is a two-item array containing character indices inside of the source code. The first item is the start of the range (inclusive) and the second item is the end of the range (exclusive). Every node and token has a `range` property to identify the source code range they represent.
323
324 The above methods return a `fixing` object.
325 The `fix()` function can return the following values:
326
327 * A `fixing` object.
328 * An array which includes `fixing` objects.
329 * An iterable object which enumerates `fixing` objects. Especially, the `fix()` function can be a generator.
330
331 If you make a `fix()` function which returns multiple `fixing` objects, those `fixing` objects must not be overlapped.
332
333 Best practices for fixes:
334
335 1. Avoid any fixes that could change the runtime behavior of code and cause it to stop working.
336 1. Make fixes as small as possible. Fixes that are unnecessarily large could conflict with other fixes, and prevent them from being applied.
337 1. Only make one fix per message. This is enforced because you must return the result of the fixer operation from `fix()`.
338 1. Since all rules are run again after the initial round of fixes is applied, it's not necessary for a rule to check whether the code style of a fix will cause errors to be reported by another rule.
339 * For example, suppose a fixer would like to surround an object key with quotes, but it's not sure whether the user would prefer single or double quotes.
340
341 ```js
342 ({ foo : 1 })
343
344 // should get fixed to either
345
346 ({ 'foo': 1 })
347
348 // or
349
350 ({ "foo": 1 })
351 ```
352
353 * This fixer can just select a quote type arbitrarily. If it guesses wrong, the resulting code will be automatically reported and fixed by the [`quotes`](/docs/rules/quotes.md) rule.
354
355 Note: Making fixes as small as possible is a best practice, but in some cases it may be correct to extend the range of the fix in order to intentionally prevent other rules from making fixes in a surrounding range in the same pass. For instance, if replacement text declares a new variable, it can be useful to prevent other changes in the scope of the variable as they might cause name collisions.
356
357 The following example replaces `node` and also ensures that no other fixes will be applied in the range of `node.parent` in the same pass:
358
359 ```js
360 context.report({
361 node,
362 message,
363 *fix(fixer) {
364 yield fixer.replaceText(node, replacementText);
365
366 // extend range of the fix to the range of `node.parent`
367 yield fixer.insertTextBefore(node.parent, "");
368 yield fixer.insertTextAfter(node.parent, "");
369 }
370 });
371 ```
372
373 ### Providing Suggestions
374
375 In some cases fixes aren't appropriate to be automatically applied, for example, if a fix potentially changes functionality or if there are multiple valid ways to fix a rule depending on the implementation intent (see the best practices for [applying fixes](#applying-fixes) listed above). In these cases, there is an alternative `suggest` option on `context.report()` that allows other tools, such as editors, to expose helpers for users to manually apply a suggestion.
376
377 In order to provide suggestions, use the `suggest` key in the report argument with an array of suggestion objects. The suggestion objects represent individual suggestions that could be applied and require either a `desc` key string that describes what applying the suggestion would do or a `messageId` key (see [below](#suggestion-messageids)), and a `fix` key that is a function defining the suggestion result. This `fix` function follows the same API as regular fixes (described above in [applying fixes](#applying-fixes)).
378
379 ```js
380 {% raw %}
381 context.report({
382 node: node,
383 message: "Unnecessary escape character: \\{{character}}.",
384 data: { character },
385 suggest: [
386 {
387 desc: "Remove the `\\`. This maintains the current functionality.",
388 fix: function(fixer) {
389 return fixer.removeRange(range);
390 }
391 },
392 {
393 desc: "Replace the `\\` with `\\\\` to include the actual backslash character.",
394 fix: function(fixer) {
395 return fixer.insertTextBeforeRange(range, "\\");
396 }
397 }
398 ]
399 });
400 {% endraw %}
401 ```
402
403 **Important:** The `meta.hasSuggestions` property is mandatory for rules that provide suggestions. ESLint will throw an error if a rule attempts to produce a suggestion but does not [export](#rule-basics) this property.
404
405 Note: Suggestions will be applied as a stand-alone change, without triggering multipass fixes. Each suggestion should focus on a singular change in the code and should not try to conform to user defined styles. For example, if a suggestion is adding a new statement into the codebase, it should not try to match correct indentation, or conform to user preferences on presence/absence of semicolons. All of those things can be corrected by multipass autofix when the user triggers it.
406
407 Best practices for suggestions:
408
409 1. Don't try to do too much and suggest large refactors that could introduce a lot of breaking changes.
410 1. As noted above, don't try to conform to user-defined styles.
411
412 Suggestions are intended to provide fixes. ESLint will automatically remove the whole suggestion from the linting output if the suggestion's `fix` function returned `null` or an empty array/sequence.
413
414 #### Suggestion `messageId`s
415
416 Instead of using a `desc` key for suggestions a `messageId` can be used instead. This works the same way as `messageId`s for the overall error (see [messageIds](#messageids)). Here is an example of how to use it in a rule:
417
418 ```js
419 {% raw %}
420 module.exports = {
421 meta: {
422 messages: {
423 unnecessaryEscape: "Unnecessary escape character: \\{{character}}.",
424 removeEscape: "Remove the `\\`. This maintains the current functionality.",
425 escapeBackslash: "Replace the `\\` with `\\\\` to include the actual backslash character."
426 },
427 hasSuggestions: true
428 },
429 create: function(context) {
430 // ...
431 context.report({
432 node: node,
433 messageId: 'unnecessaryEscape',
434 data: { character },
435 suggest: [
436 {
437 messageId: "removeEscape",
438 fix: function(fixer) {
439 return fixer.removeRange(range);
440 }
441 },
442 {
443 messageId: "escapeBackslash",
444 fix: function(fixer) {
445 return fixer.insertTextBeforeRange(range, "\\");
446 }
447 }
448 ]
449 });
450 }
451 };
452 {% endraw %}
453 ```
454
455 #### Placeholders in suggestion messages
456
457 You can also use placeholders in the suggestion message. This works the same way as placeholders for the overall error (see [using message placeholders](#using-message-placeholders)).
458
459 Please note that you have to provide `data` on the suggestion's object. Suggestion messages cannot use properties from the overall error's `data`.
460
461 ```js
462 {% raw %}
463 module.exports = {
464 meta: {
465 messages: {
466 unnecessaryEscape: "Unnecessary escape character: \\{{character}}.",
467 removeEscape: "Remove `\\` before {{character}}.",
468 },
469 hasSuggestions: true
470 },
471 create: function(context) {
472 // ...
473 context.report({
474 node: node,
475 messageId: "unnecessaryEscape",
476 data: { character }, // data for the unnecessaryEscape overall message
477 suggest: [
478 {
479 messageId: "removeEscape",
480 data: { character }, // data for the removeEscape suggestion message
481 fix: function(fixer) {
482 return fixer.removeRange(range);
483 }
484 }
485 ]
486 });
487 }
488 };
489 {% endraw %}
490 ```
491
492 ### context.options
493
494 Some rules require options in order to function correctly. These options appear in configuration (`.eslintrc`, command line, or in comments). For example:
495
496 ```json
497 {
498 "quotes": ["error", "double"]
499 }
500 ```
501
502 The `quotes` rule in this example has one option, `"double"` (the `error` is the error level). You can retrieve the options for a rule by using `context.options`, which is an array containing every configured option for the rule. In this case, `context.options[0]` would contain `"double"`:
503
504 ```js
505 module.exports = {
506 create: function(context) {
507 var isDouble = (context.options[0] === "double");
508
509 // ...
510 }
511 };
512 ```
513
514 Since `context.options` is just an array, you can use it to determine how many options have been passed as well as retrieving the actual options themselves. Keep in mind that the error level is not part of `context.options`, as the error level cannot be known or modified from inside a rule.
515
516 When using options, make sure that your rule has some logical defaults in case the options are not provided.
517
518 ### context.getSourceCode()
519
520 The `SourceCode` object is the main object for getting more information about the source code being linted. You can retrieve the `SourceCode` object at any time by using the `getSourceCode()` method:
521
522 ```js
523 module.exports = {
524 create: function(context) {
525 var sourceCode = context.getSourceCode();
526
527 // ...
528 }
529 };
530 ```
531
532 Once you have an instance of `SourceCode`, you can use the following methods on it to work with the code:
533
534 * `getText(node)` - returns the source code for the given node. Omit `node` to get the whole source.
535 * `getAllComments()` - returns an array of all comments in the source.
536 * `getCommentsBefore(nodeOrToken)` - returns an array of comment tokens that occur directly before the given node or token.
537 * `getCommentsAfter(nodeOrToken)` - returns an array of comment tokens that occur directly after the given node or token.
538 * `getCommentsInside(node)` - returns an array of all comment tokens inside a given node.
539 * `getJSDocComment(node)` - returns the JSDoc comment for a given node or `null` if there is none.
540 * `isSpaceBetween(nodeOrToken, nodeOrToken)` - returns true if there is a whitespace character between the two tokens or, if given a node, the last token of the first node and the first token of the second node.
541 * `getFirstToken(node, skipOptions)` - returns the first token representing the given node.
542 * `getFirstTokens(node, countOptions)` - returns the first `count` tokens representing the given node.
543 * `getLastToken(node, skipOptions)` - returns the last token representing the given node.
544 * `getLastTokens(node, countOptions)` - returns the last `count` tokens representing the given node.
545 * `getTokenAfter(nodeOrToken, skipOptions)` - returns the first token after the given node or token.
546 * `getTokensAfter(nodeOrToken, countOptions)` - returns `count` tokens after the given node or token.
547 * `getTokenBefore(nodeOrToken, skipOptions)` - returns the first token before the given node or token.
548 * `getTokensBefore(nodeOrToken, countOptions)` - returns `count` tokens before the given node or token.
549 * `getFirstTokenBetween(nodeOrToken1, nodeOrToken2, skipOptions)` - returns the first token between two nodes or tokens.
550 * `getFirstTokensBetween(nodeOrToken1, nodeOrToken2, countOptions)` - returns the first `count` tokens between two nodes or tokens.
551 * `getLastTokenBetween(nodeOrToken1, nodeOrToken2, skipOptions)` - returns the last token between two nodes or tokens.
552 * `getLastTokensBetween(nodeOrToken1, nodeOrToken2, countOptions)` - returns the last `count` tokens between two nodes or tokens.
553 * `getTokens(node)` - returns all tokens for the given node.
554 * `getTokensBetween(nodeOrToken1, nodeOrToken2)` - returns all tokens between two nodes.
555 * `getTokenByRangeStart(index, rangeOptions)` - returns the token whose range starts at the given index in the source.
556 * `getNodeByRangeIndex(index)` - returns the deepest node in the AST containing the given source index.
557 * `getLocFromIndex(index)` - returns an object with `line` and `column` properties, corresponding to the location of the given source index. `line` is 1-based and `column` is 0-based.
558 * `getIndexFromLoc(loc)` - returns the index of a given location in the source code, where `loc` is an object with a 1-based `line` key and a 0-based `column` key.
559 * `commentsExistBetween(nodeOrToken1, nodeOrToken2)` - returns `true` if comments exist between two nodes.
560
561 `skipOptions` is an object which has 3 properties; `skip`, `includeComments`, and `filter`. Default is `{skip: 0, includeComments: false, filter: null}`.
562
563 * `skip` is a positive integer, the number of skipping tokens. If `filter` option is given at the same time, it doesn't count filtered tokens as skipped.
564 * `includeComments` is a boolean value, the flag to include comment tokens into the result.
565 * `filter` is a function which gets a token as the first argument, if the function returns `false` then the result excludes the token.
566
567 `countOptions` is an object which has 3 properties; `count`, `includeComments`, and `filter`. Default is `{count: 0, includeComments: false, filter: null}`.
568
569 * `count` is a positive integer, the maximum number of returning tokens.
570 * `includeComments` is a boolean value, the flag to include comment tokens into the result.
571 * `filter` is a function which gets a token as the first argument, if the function returns `false` then the result excludes the token.
572
573 `rangeOptions` is an object which has 1 property: `includeComments`.
574
575 * `includeComments` is a boolean value, the flag to include comment tokens into the result.
576
577 There are also some properties you can access:
578
579 * `hasBOM` - the flag to indicate whether or not the source code has Unicode BOM.
580 * `text` - the full text of the code being linted. Unicode BOM has been stripped from this text.
581 * `ast` - the `Program` node of the AST for the code being linted.
582 * `scopeManager` - the [ScopeManager](./scope-manager-interface.md#scopemanager-interface) object of the code.
583 * `visitorKeys` - the visitor keys to traverse this AST.
584 * `lines` - an array of lines, split according to the specification's definition of line breaks.
585
586 You should use a `SourceCode` object whenever you need to get more information about the code being linted.
587
588 #### Deprecated
589
590 Please note that the following methods have been deprecated and will be removed in a future version of ESLint:
591
592 * `getComments()` - replaced by `getCommentsBefore()`, `getCommentsAfter()`, and `getCommentsInside()`
593 * `getTokenOrCommentBefore()` - replaced by `getTokenBefore()` with the `{ includeComments: true }` option
594 * `getTokenOrCommentAfter()` - replaced by `getTokenAfter()` with the `{ includeComments: true }` option
595 * `isSpaceBetweenTokens()` - replaced by `isSpaceBetween()`
596
597 ### Options Schemas
598
599 Rules may export a `schema` property, which is a [JSON schema](https://json-schema.org/) format description of a rule's options which will be used by ESLint to validate configuration options and prevent invalid or unexpected inputs before they are passed to the rule in `context.options`.
600
601 There are two formats for a rule's exported `schema`. The first is a full JSON Schema object describing all possible options the rule accepts, including the rule's error level as the first argument and any optional arguments thereafter.
602
603 However, to simplify schema creation, rules may also export an array of schemas for each optional positional argument, and ESLint will automatically validate the required error level first. For example, the `yoda` rule accepts a primary mode argument, as well as an extra options object with named properties.
604
605 ```js
606 // "yoda": [2, "never", { "exceptRange": true }]
607 module.exports = {
608 meta: {
609 schema: [
610 {
611 "enum": ["always", "never"]
612 },
613 {
614 "type": "object",
615 "properties": {
616 "exceptRange": {
617 "type": "boolean"
618 }
619 },
620 "additionalProperties": false
621 }
622 ]
623 },
624 };
625 ```
626
627 In the preceding example, the error level is assumed to be the first argument. It is followed by the first optional argument, a string which may be either `"always"` or `"never"`. The final optional argument is an object, which may have a Boolean property named `exceptRange`.
628
629 To learn more about JSON Schema, we recommend looking at some examples in [website](https://json-schema.org/learn/) to start, and also reading [Understanding JSON Schema](https://json-schema.org/understanding-json-schema/) (a free ebook).
630
631 **Note:** Currently you need to use full JSON Schema object rather than array in case your schema has references ($ref), because in case of array format ESLint transforms this array into a single schema without updating references that makes them incorrect (they are ignored).
632
633 ### Getting the Source
634
635 If your rule needs to get the actual JavaScript source to work with, then use the `sourceCode.getText()` method. This method works as follows:
636
637 ```js
638
639 // get all source
640 var source = sourceCode.getText();
641
642 // get source for just this AST node
643 var nodeSource = sourceCode.getText(node);
644
645 // get source for AST node plus previous two characters
646 var nodeSourceWithPrev = sourceCode.getText(node, 2);
647
648 // get source for AST node plus following two characters
649 var nodeSourceWithFollowing = sourceCode.getText(node, 0, 2);
650 ```
651
652 In this way, you can look for patterns in the JavaScript text itself when the AST isn't providing the appropriate data (such as location of commas, semicolons, parentheses, etc.).
653
654 ### Accessing Comments
655
656 While comments are not technically part of the AST, ESLint provides a few ways for rules to access them:
657
658 #### sourceCode.getAllComments()
659
660 This method returns an array of all the comments found in the program. This is useful for rules that need to check all comments regardless of location.
661
662 #### sourceCode.getCommentsBefore(), sourceCode.getCommentsAfter(), and sourceCode.getCommentsInside()
663
664 These methods return an array of comments that appear directly before, directly after, and inside nodes, respectively. They are useful for rules that need to check comments in relation to a given node or token.
665
666 Keep in mind that the results of this method are calculated on demand.
667
668 #### Token traversal methods
669
670 Finally, comments can be accessed through many of `sourceCode`'s methods using the `includeComments` option.
671
672 ### Accessing Shebangs
673
674 Shebangs are represented by tokens of type `"Shebang"`. They are treated as comments and can be accessed by the methods outlined above.
675
676 ### Accessing Code Paths
677
678 ESLint analyzes code paths while traversing AST.
679 You can access that code path objects with five events related to code paths.
680
681 [details here](./code-path-analysis.md)
682
683 ## Rule Unit Tests
684
685 Each bundled rule for ESLint core must have a set of unit tests submitted with it to be accepted. The test file is named the same as the source file but lives in `tests/lib/`. For example, if the rule source file is `lib/rules/foo.js` then the test file should be `tests/lib/rules/foo.js`.
686
687 ESLint provides the [`RuleTester`](/docs/developer-guide/nodejs-api.md#ruletester) utility to make it easy to write tests for rules.
688
689 ## Performance Testing
690
691 To keep the linting process efficient and unobtrusive, it is useful to verify the performance impact of new rules or modifications to existing rules.
692
693 ### Overall Performance
694
695 When developing in the ESLint core repository, the `npm run perf` command gives a high-level overview of ESLint running time with all core rules enabled.
696
697 ```bash
698 $ git checkout main
699 Switched to branch 'main'
700
701 $ npm run perf
702 CPU Speed is 2200 with multiplier 7500000
703 Performance Run #1: 1394.689313ms
704 Performance Run #2: 1423.295351ms
705 Performance Run #3: 1385.09515ms
706 Performance Run #4: 1382.406982ms
707 Performance Run #5: 1409.68566ms
708 Performance budget ok: 1394.689313ms (limit: 3409.090909090909ms)
709
710 $ git checkout my-rule-branch
711 Switched to branch 'my-rule-branch'
712
713 $ npm run perf
714 CPU Speed is 2200 with multiplier 7500000
715 Performance Run #1: 1443.736547ms
716 Performance Run #2: 1419.193291ms
717 Performance Run #3: 1436.018228ms
718 Performance Run #4: 1473.605485ms
719 Performance Run #5: 1457.455283ms
720 Performance budget ok: 1443.736547ms (limit: 3409.090909090909ms)
721 ```
722
723 ### Per-rule Performance
724
725 ESLint has a built-in method to track performance of individual rules. Setting the `TIMING` environment variable will trigger the display, upon linting completion, of the ten longest-running rules, along with their individual running time and relative performance impact as a percentage of total rule processing time.
726
727 ```bash
728 $ TIMING=1 eslint lib
729 Rule | Time (ms) | Relative
730 :-----------------------|----------:|--------:
731 no-multi-spaces | 52.472 | 6.1%
732 camelcase | 48.684 | 5.7%
733 no-irregular-whitespace | 43.847 | 5.1%
734 valid-jsdoc | 40.346 | 4.7%
735 handle-callback-err | 39.153 | 4.6%
736 space-infix-ops | 35.444 | 4.1%
737 no-undefined | 25.693 | 3.0%
738 no-shadow | 22.759 | 2.7%
739 no-empty-class | 21.976 | 2.6%
740 semi | 19.359 | 2.3%
741 ```
742
743 To test one rule explicitly, combine the `--no-eslintrc`, and `--rule` options:
744
745 ```bash
746 $ TIMING=1 eslint --no-eslintrc --rule "quotes: [2, 'double']" lib
747 Rule | Time (ms) | Relative
748 :------|----------:|--------:
749 quotes | 18.066 | 100.0%
750 ```
751
752 To see a longer list of results (more than 10), set the environment variable to another value such as `TIMING=50` or `TIMING=all`.
753
754 ## Rule Naming Conventions
755
756 The rule naming conventions for ESLint are fairly simple:
757
758 * If your rule is disallowing something, prefix it with `no-` such as `no-eval` for disallowing `eval()` and `no-debugger` for disallowing `debugger`.
759 * If your rule is enforcing the inclusion of something, use a short name without a special prefix.
760 * Use dashes between words.
761
762 ## Runtime Rules
763
764 The thing that makes ESLint different from other linters is the ability to define custom rules at runtime. This is perfect for rules that are specific to your project or company and wouldn't make sense for ESLint to ship with. With runtime rules, you don't have to wait for the next version of ESLint or be disappointed that your rule isn't general enough to apply to the larger JavaScript community, just write your rules and include them at runtime.
765
766 Runtime rules are written in the same format as all other rules. Create your rule as you would any other and then follow these steps:
767
768 1. Place all of your runtime rules in the same directory (e.g., `eslint_rules`).
769 2. Create a [configuration file](../user-guide/configuring/) and specify your rule ID error level under the `rules` key. Your rule will not run unless it has a value of `"warn"` or `"error"` in the configuration file.
770 3. Run the [command line interface](../user-guide/command-line-interface.md) using the `--rulesdir` option to specify the location of your runtime rules.