Skip to content

Commit e2691b5

Browse files
authored
feat: type check TypeScript code blocks (#24)
1 parent 2c1c39e commit e2691b5

File tree

5 files changed

+115
-24
lines changed

5 files changed

+115
-24
lines changed

README.md

+6-3
Original file line numberDiff line numberDiff line change
@@ -36,12 +36,15 @@ check external links with the `--fetch-external-links` option.
3636
Markdown with `standard`, like `standard-markdown` does, but with better
3737
detection of code blocks.
3838

39-
`electron-lint-markdown-ts-check` is a command to type check JS code blocks in
40-
Markdown with `tsc`. Type checking can be disabled for specific code blocks
39+
`electron-lint-markdown-ts-check` is a command to type check JS/TS code blocks
40+
in Markdown with `tsc`. Type checking can be disabled for specific code blocks
4141
by adding `@ts-nocheck` to the info string, specific lines can be ignored
4242
by adding `@ts-ignore=[<line1>,<line2>]` to the info string, and additional
4343
globals can be defined with `@ts-type={name:type}`. The `Window` object can
44-
be extended with more types using `@ts-window-type={name:type}`.
44+
be extended with more types using `@ts-window-type={name:type}`. When type
45+
checking TypeScript blocks in the same Markdown file, global augmentation
46+
(via `declare global`) can be shared between code blocks by putting
47+
`@ts-noisolate` on the code block doing the global augmentation.
4548

4649
## License
4750

bin/lint-markdown-ts-check.ts

+35-20
Original file line numberDiff line numberDiff line change
@@ -56,11 +56,13 @@ async function typeCheckFiles(
5656
filenames: string[],
5757
) {
5858
const tscExec = path.join(require.resolve('typescript'), '..', '..', 'bin', 'tsc');
59+
const options = ['--noEmit', '--pretty', '--moduleDetection', 'force'];
60+
if (filenames.find((filename) => filename.endsWith('.js'))) {
61+
options.push('--checkJs');
62+
}
5963
const args = [
6064
tscExec,
61-
'--noEmit',
62-
'--checkJs',
63-
'--pretty',
65+
...options,
6466
path.join(tempDir, 'electron.d.ts'),
6567
path.join(tempDir, 'ambient.d.ts'),
6668
...filenames,
@@ -113,7 +115,7 @@ async function main(workspaceRoot: string, globs: string[], { ignoreGlobs = [] }
113115
try {
114116
const filenames: string[] = [];
115117
const originalFilenames = new Map<string, string>();
116-
const windowTypeFilenames = new Set<string>();
118+
const isolateFilenames = new Set<string>();
117119

118120
// Copy over the typings so that a relative path can be used
119121
fs.copyFileSync(path.join(process.cwd(), 'electron.d.ts'), path.join(tempDir, 'electron.d.ts'));
@@ -124,15 +126,19 @@ async function main(workspaceRoot: string, globs: string[], { ignoreGlobs = [] }
124126
for (const document of await workspace.getAllMarkdownDocuments()) {
125127
const uri = URI.parse(document.uri);
126128
const filepath = workspace.getWorkspaceRelativePath(uri);
127-
const jsCodeBlocks = (await getCodeBlocks(document)).filter(
128-
(code) => code.lang && ['javascript', 'js'].includes(code.lang.toLowerCase()),
129+
const codeBlocks = (await getCodeBlocks(document)).filter(
130+
(code) =>
131+
code.lang && ['javascript', 'js', 'typescript', 'ts'].includes(code.lang.toLowerCase()),
129132
);
130133

131-
for (const codeBlock of jsCodeBlocks) {
134+
for (const codeBlock of codeBlocks) {
135+
const isTypeScript =
136+
codeBlock.lang && ['typescript', 'ts'].includes(codeBlock.lang.toLowerCase());
132137
const line = codeBlock.position!.start.line;
133138
const indent = codeBlock.position!.start.column - 1;
134139

135140
const tsNoCheck = codeBlock.meta?.split(' ').includes('@ts-nocheck');
141+
const tsNoIsolate = codeBlock.meta?.split(' ').includes('@ts-noisolate');
136142
const tsExpectErrorLines = codeBlock.meta
137143
?.match(/\B@ts-expect-error=\[([\d,]*)\]\B/)?.[1]
138144
.split(',')
@@ -233,10 +239,12 @@ async function main(workspaceRoot: string, globs: string[], { ignoreGlobs = [] }
233239
.join('\n'),
234240
);
235241

236-
// If there are no require() lines, insert a default set of
242+
// If there are no require() or import lines, insert a default set of
237243
// imports so that most snippets will have what they need.
238244
// This isn't foolproof and might cause name conflicts
239-
const imports = codeBlock.value.includes(' require(') ? '' : DEFAULT_IMPORTS;
245+
const imports = codeBlock.value.match(/^\s*(?:import .* from )|(?:.* = require())/m)
246+
? ''
247+
: DEFAULT_IMPORTS;
240248

241249
// Insert the necessary number of blank lines so that the line
242250
// numbers in output from tsc is accurate to the original file
@@ -248,7 +256,7 @@ async function main(workspaceRoot: string, globs: string[], { ignoreGlobs = [] }
248256
tempDir,
249257
`${filepath
250258
.replace(new RegExp(path.sep.replace(/\\/g, '\\\\'), 'g'), '-')
251-
.replace(/\./g, '-')}-${line}.js`,
259+
.replace(/\./g, '-')}-${line}.${isTypeScript ? 'ts' : 'js'}`,
252260
);
253261

254262
// Blocks can have @ts-type={name:type} in their info
@@ -272,14 +280,16 @@ async function main(workspaceRoot: string, globs: string[], { ignoreGlobs = [] }
272280
273281
// Blocks can have @ts-window-type={name:type} in their
274282
// info string to extend the Window object for a block
275-
if (tsWindowTypeLines.length) {
283+
if (!tsNoIsolate && tsWindowTypeLines.length) {
276284
const extraTypes = tsWindowTypeLines
277285
.map((type) => ` ${type[1]}: ${type[2]};`)
278286
.join('\n');
279287
// Needs an export {} at the end to make TypeScript happy
280288
windowTypes = `declare global {\n interface Window {\n${extraTypes}\n }\n}\n\nexport {};\n\n`;
281-
fs.writeFileSync(filename.replace(/.js$/, '-window.d.ts'), windowTypes);
282-
windowTypeFilenames.add(filename);
289+
fs.writeFileSync(filename.replace(/.[jt]s$/, '-window.d.ts'), windowTypes);
290+
isolateFilenames.add(filename);
291+
} else if (!tsNoIsolate && code.match(/^\s*declare global /m)) {
292+
isolateFilenames.add(filename);
283293
} else {
284294
filenames.push(filename);
285295
}
@@ -291,13 +301,18 @@ async function main(workspaceRoot: string, globs: string[], { ignoreGlobs = [] }
291301

292302
fs.writeFileSync(path.join(tempDir, 'ambient.d.ts'), ambientModules);
293303

294-
// Files for code blocks with window types have to be processed separately
295-
// since window types are by nature global, and would bleed between blocks
296-
for (const filename of windowTypeFilenames) {
297-
const status = await typeCheckFiles(tempDir, originalFilenames, [
298-
filename.replace(/.js$/, '-window.d.ts'),
299-
filename,
300-
]);
304+
// Files for code blocks with window type directives or 'declare global' need
305+
// to be processed separately since window types are by nature global, and
306+
// they would bleed between blocks otherwise, which can cause problems
307+
for (const filename of isolateFilenames) {
308+
const filenames = [filename];
309+
const windowTypesFilename = filename.replace(/.[jt]s$/, '-window.d.ts');
310+
try {
311+
fs.statSync(windowTypesFilename);
312+
filenames.unshift(windowTypesFilename);
313+
} catch {}
314+
315+
const status = await typeCheckFiles(tempDir, originalFilenames, filenames);
301316
errors = errors || status !== 0;
302317
}
303318

tests/__snapshots__/electron-lint-markdown-ts-check.spec.ts.snap

+19-1
Original file line numberDiff line numberDiff line change
@@ -33,6 +33,21 @@ ts-check.md:55:1: Code block has both @ts-nocheck and @ts-expect-error/@ts-ignor
3333
160 window.AwesomeAPI.bar('baz')
3434
   ~~~~~~~~~~
3535
36+
ts-check.md:174:15 - error TS2339: Property 'wrongAPI' does not exist on type 'typeof BrowserWindow'.
37+
38+
174 BrowserWindow.wrongAPI('foo')
39+
   ~~~~~~~~
40+
41+
ts-check.md:180:15 - error TS2339: Property 'wrongAPI' does not exist on type 'typeof BrowserWindow'.
42+
43+
180 BrowserWindow.wrongAPI('foo')
44+
   ~~~~~~~~
45+
46+
ts-check.md:212:8 - error TS2339: Property 'AwesomeAPI' does not exist on type 'Window & typeof globalThis'.
47+
48+
212 window.AwesomeAPI.foo(42)
49+
   ~~~~~~~~~~
50+
3651
ts-check.md:4:9 - error TS2339: Property 'foo' does not exist on type 'Console'.
3752
3853
4 console.foo('whoops')
@@ -59,11 +74,14 @@ ts-check.md:55:1: Code block has both @ts-nocheck and @ts-expect-error/@ts-ignor
5974
   ~~~~~~~~~~~~
6075
6176
62-
Found 11 errors in 7 files.
77+
Found 14 errors in 10 files.
6378
6479
Errors Files
6580
1 ts-check.md:128
6681
5 ts-check.md:154
82+
1 ts-check.md:174
83+
1 ts-check.md:180
84+
1 ts-check.md:212
6785
1 ts-check.md:4
6886
1 ts-check.md:66
6987
1 ts-check.md:72

tests/fixtures/ts-check-clean.md

+8
Original file line numberDiff line numberDiff line change
@@ -7,3 +7,11 @@ console.log('Hello world!')
77
```js title='main.js'
88
console.log('Hello world!')
99
```
10+
11+
```typescript
12+
console.log('Hello world!')
13+
```
14+
15+
```typescript title='main.js'
16+
console.log('Hello world!')
17+
```

tests/fixtures/ts-check.md

+47
Original file line numberDiff line numberDiff line change
@@ -165,3 +165,50 @@ This block defines additional types on window
165165
```js @ts-window-type={AwesomeAPI: { foo: (value: number) => void } }
166166
window.AwesomeAPI.foo(42)
167167
```
168+
169+
These TypeScript blocks have bad usage of Electron APIs
170+
171+
```ts
172+
const { BrowserWindow } = require('electron')
173+
174+
BrowserWindow.wrongAPI('foo')
175+
```
176+
177+
```TypeScript
178+
import { BrowserWindow } from 'electron'
179+
180+
BrowserWindow.wrongAPI('foo')
181+
```
182+
183+
The first block should be isolated from the third block but the second should not
184+
185+
```typescript
186+
interface IAwesomeAPI {
187+
foo: (number) => void;
188+
}
189+
190+
declare global {
191+
interface Window {
192+
AwesomeAPI: IAwesomeAPI;
193+
}
194+
}
195+
196+
window.AwesomeAPI.foo(42)
197+
```
198+
199+
```typescript @ts-noisolate
200+
interface IOtherAwesomeAPI {
201+
bar: (string) => void;
202+
}
203+
204+
declare global {
205+
interface Window {
206+
OtherAwesomeAPI: IOtherAwesomeAPI;
207+
}
208+
}
209+
```
210+
211+
```ts
212+
window.AwesomeAPI.foo(42)
213+
window.OtherAwesomeAPI.bar('baz')
214+
```

0 commit comments

Comments
 (0)