-
Notifications
You must be signed in to change notification settings - Fork 1.3k
/
Copy pathlint-md.js
183 lines (159 loc) · 5.12 KB
/
lint-md.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
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
const tcb_rule_name = 'trim-code-block-and-unindent';
const trimCodeBlockRule = require('./_md-rules/' + tcb_rule_name);
const gulp = require('gulp');
const through2 = require('through2');
const markdownlint = require('markdownlint/async').lint;
const { taskArgs, trimBlankLinesFromArray } = require('./_util');
const fs = require('fs');
const defaultGlobs = ['**/*.md'];
const markdownFiles = [
'!.github/**',
'!content-modules/**',
'!examples/**',
'!layouts/**',
'!**/node_modules/**',
'!tools/examples/**',
'!themes/**',
'!tmp/**',
];
let numFilesProcessed = 0,
numFilesWithIssues = 0;
let fix = false;
function markdownLintFile(file, encoding, callback) {
const config = require('../.markdownlint.json');
const placeholder = 'lint-md';
const options = {
// We would normally just pass in the file like this:
//
// files: [file.path],
//
// But since the checker doesn't understand Hugo {{...}} syntax, we replace
// such expressions with a placeholder and pass in the simplified file
// content.
strings: {
[file.path]: file.contents
.toString()
.replace(/\{\{[^\}]+\}\}/g, placeholder),
},
config: config,
customRules: [trimCodeBlockRule],
};
markdownlint(options, function (err, result) {
if (err) {
console.error('ERROR occurred while running markdownlint: ', err);
return callback(err);
}
const _resultString = (result || '').toString();
// Result is a string with lines of the form:
//
// <file-path>:\s*<line-number>: <ID-and-message>
//
// Strip out any whitespace between the filepath and line number
// so that tools can jump directly to the line.
const resultString = _resultString
.split('\n')
.map((line) => line.replace(/^([^:]+):\s*(\d+):(.*)/, '$1:$2:$3'))
.join('\n');
if (resultString) {
console.log(resultString);
numFilesWithIssues++;
// Don't report an error yet so that other files can be checked:
// callback(new Error('...'));
}
numFilesProcessed++;
if (fix) {
applyCustomRuleFixesHack(result);
}
callback(null, file);
});
}
function applyCustomRuleFixesHack(result) {
// What is hacky about the current implementation is that we're
// handling the fixing ourselves and writing out to the affected files
// instead of using mdl's fix mechanism.
Object.entries(result).forEach(([filePath, issues]) => {
let fileContent = fs.readFileSync(filePath, 'utf8');
// Sort issues by lineNumber in descending order
const sortedIssues = issues.sort((a, b) => b.lineNumber - a.lineNumber);
sortedIssues.forEach((issue) => {
if (
issue.fixInfo &&
issue.ruleNames.length == 1 &&
issue.ruleNames.includes(tcb_rule_name)
) {
fileContent = applyFixesToFileContent(fileContent, issue);
} else {
// console.log(`[NOTE] We currently only fix solo ${tcb_rule_name} rules, not: ${issue.ruleNames}`);
// console.log(JSON.stringify(issue, null, 2));
}
});
fs.writeFileSync(filePath, fileContent, 'utf8');
});
}
function applyFixesToFileContent(content, issue) {
// console.log(JSON.stringify(issue, null, 2));
const startLineNum = issue.lineNumber - 1;
const endLineNum = issue.ruleNames.includes(tcb_rule_name)
? issue.fixInfo.lineNumber
: startLineNum + 1;
const fixedLines = issue.fixInfo.insertText.split('\n');
// Remove lines that need fixing
const lines = content.split('\n');
lines.splice(startLineNum, endLineNum - startLineNum);
// Insert the fixed content
lines.splice(startLineNum, 0, ...fixedLines);
return lines.join('\n');
}
function logFiles(debug) {
return through2.obj(function (file, enc, cb) {
if (debug) {
console.log('Processing file:', file.path);
}
cb(null, file);
});
}
function lintMarkdown() {
const argv = taskArgs().options({
glob: {
alias: 'g',
type: 'array',
description:
'Globs of files to run through markdownlint. List flag more than once for multiple values.',
default: defaultGlobs,
},
debug: {
type: 'boolean',
description: 'Output debugging information.',
default: false,
},
fix: {
type: 'boolean',
description: 'Fix trim-code-block-and-unindent issues.',
default: false,
},
}).argv;
if (argv.info) {
// Info about options was already displayed by yargs.help().
return Promise.resolve();
}
fix = argv.fix;
const globs = [...argv.glob, ...markdownFiles];
if (argv.debug) {
console.log('Globs being used:', globs);
}
return gulp
.src(globs, { followSymlinks: false })
.pipe(logFiles(argv.debug))
.pipe(through2.obj(markdownLintFile))
.on('end', () => {
const fileOrFiles = 'file' + (numFilesProcessed == 1 ? '' : 's');
const msg = `Processed ${numFilesProcessed} ${fileOrFiles}, ${numFilesWithIssues} had issues.`;
if (numFilesWithIssues > 0) {
throw new Error(msg);
} else {
console.log(msg);
}
});
}
lintMarkdown.description = `Check markdownlint rules. For details, use --info.`;
gulp.task('lint-md', lintMarkdown);