-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathEsLint.js
77 lines (69 loc) · 2.12 KB
/
EsLint.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
'use strict';
const PreCommitBase = require('./Base');
/**
* @class EsLint
* @extends PreCommitBase
* @classdesc Run eslint on changed files
*/
class EsLint extends PreCommitBase {
/**
* Run `eslint` against files that apply.
* Uses spawnPromiseOnApplicableFiles to parallelize
*
* @returns {Promise}
* @resolves {HookMessage[]} An array of hook messages produced by the hook
* @rejects {Error} An Error thrown or emitted while running the hook
*/
run() {
return new Promise((resolve, reject) => {
this.spawnPromiseOnApplicableFiles().then((result) => {
let output = result.stdout.trim();
if (result.status === 0 && !output) { return resolve('pass'); }
resolve(this.extractMessages(
this.parseEsLintOutput(output),
EsLint.MESSAGE_REGEX,
EsLint.MESSAGE_CAPTURE_MAP,
EsLint.MESSAGE_TYPE_CATEGORIZER
));
}, reject);
});
}
// Parses the output stream of EsLint to produce an array of
// output messages. Ensures we only send valid lines to the
// standard `extractMessages` function.
// For example, EsLint will print the headers of the csv like:
// `path,lineNumber,lineNumberEnd,level,message`
// which is useful for a csv file, but not for our purposes.
parseEsLintOutput(output) {
let outputLines = output.split('\n');
return outputLines.filter((outputLine) => {
return /Error|Warning/.test(outputLine);
});
}
static MESSAGE_TYPE_CATEGORIZER(capturedType) {
return capturedType.toLowerCase();
}
}
/**
* Regex to capture various parts of EsLint csv output.
* The output lines look like this:
* `path/to/file.js: line 1, col 0, Error - Error message (ruleName)`
* @type {RegExp}
*/
EsLint.MESSAGE_REGEX = new RegExp(
'^((?:\w:)?[^:]+):[^\\d]+' + // 1: File name
'(\\d+).*?' + // 2: Line number
'(Error|Warning)' // 3: Type
);
/**
* Maps the types of captured data to the index in the
* matches array produced when executing `MESSAGE_REGEX`
*
* @type {{file: number, line: number, type: number}}
*/
EsLint.MESSAGE_CAPTURE_MAP = {
'file': 1,
'line': 2,
'type': 3
};
module.exports = EsLint;