-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathJsDocGenerator.ts
607 lines (531 loc) · 19.9 KB
/
JsDocGenerator.ts
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
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
import * as ts from "typescript"
import * as path from "path"
import { JsDocRenderer } from "./JsDocRenderer"
import { checkErrors, processTree } from "./util"
import { Class, Descriptor, MethodDescriptor, Property, SourceFileDescriptor, SourceFileModuleInfo, Type, Variable } from "./psi"
import { Annotation, parse as parseJsDoc } from "doctrine"
export interface TsToJsdocOptions {
readonly out: string
readonly externalIfNotMain?: string | null
readonly access?: string | null
/**
* The path to examples dir.
*/
readonly examples?: string | null
}
const vm = require("vm")
export type ModulePathMapper = (oldPath: string) => string
export function generate(basePath: string, config: ts.ParsedCommandLine, moduleName: string, main: string | null, options: TsToJsdocOptions): JsDocGenerator {
const compilerOptions = config.options
const compilerHost = ts.createCompilerHost(compilerOptions)
const program = ts.createProgram(config.fileNames, compilerOptions, compilerHost)
checkErrors(ts.getPreEmitDiagnostics(program))
const compilerOutDir = compilerOptions.outDir
if (compilerOutDir == null) {
throw new Error("outDir is not specified in the compilerOptions")
}
const generator = new JsDocGenerator(program, path.relative(basePath, compilerOutDir), moduleName, main, (<any>program).getCommonSourceDirectory(), options, path.resolve(compilerOptions.baseUrl!!))
for (const sourceFile of program.getSourceFiles()) {
if (!sourceFile.isDeclarationFile) {
generator.generate(sourceFile)
}
}
return generator
}
export class JsDocGenerator {
readonly moduleNameToResult = new Map<string, SourceFileDescriptor>()
private currentSourceModuleId: string = ""
readonly renderer = new JsDocRenderer(this)
readonly mainMappings = new Map<string, Array<string>>()
constructor(readonly program: ts.Program,
readonly relativeOutDir: string,
readonly moduleName: string | null,
private readonly mainFile: string | null,
private readonly commonSourceDirectory: string,
private readonly options: TsToJsdocOptions,
private readonly baseUrl?: string) {
}
private sourceFileToModuleId(sourceFile: ts.SourceFile): SourceFileModuleInfo {
if (sourceFile.isDeclarationFile) {
if (sourceFile.fileName.endsWith("node.d.ts")) {
return {id: "node", isMain: false}
}
let fileNameWithoutExt = sourceFile.fileName.slice(0, sourceFile.fileName.length - ".d.ts".length).replace(/\\/g, "/")
if (this.baseUrl != null && fileNameWithoutExt.startsWith(this.baseUrl)) {
fileNameWithoutExt = fileNameWithoutExt.substring(this.baseUrl.length + 1)
}
return {id: fileNameWithoutExt, isMain: false}
}
let sourceModuleId: string
const fileNameWithoutExt = sourceFile.fileName.slice(0, sourceFile.fileName.lastIndexOf(".")).replace(/\\/g, "/")
const name = path.relative(this.commonSourceDirectory, fileNameWithoutExt)
if (this.moduleName != null) {
sourceModuleId = this.moduleName
if (name !== "index") {
sourceModuleId += "/" + this.relativeOutDir
}
}
else {
sourceModuleId = this.relativeOutDir
}
if (name !== "index") {
sourceModuleId += "/" + name
}
const isMain = this.mainFile == null ? fileNameWithoutExt.endsWith("/main") : `${fileNameWithoutExt}.js`.includes(path.posix.relative(this.relativeOutDir, this.mainFile))
if (isMain) {
sourceModuleId = this.moduleName!!
}
return {id: sourceModuleId, isMain}
}
generate(sourceFile: ts.SourceFile): void {
if (sourceFile.text.length === 0) {
return
}
const moduleId = this.sourceFileToModuleId(sourceFile)
this.currentSourceModuleId = moduleId.id
const classes: Array<Class> = []
const functions: Array<MethodDescriptor> = []
const members: Array<Variable | Descriptor> = []
processTree(sourceFile, (node) => {
if (node.kind === ts.SyntaxKind.InterfaceDeclaration || node.kind === ts.SyntaxKind.ClassDeclaration) {
const descriptor = this.processClassOrInterface(node)
if (descriptor != null) {
classes.push(descriptor)
}
}
else if (node.kind === ts.SyntaxKind.FunctionDeclaration) {
const descriptor = this.describeFunction(<ts.FunctionDeclaration>node)
if (descriptor != null) {
functions.push(descriptor)
}
}
else if (moduleId.isMain && node.kind === ts.SyntaxKind.ExportDeclaration) {
this.handleExportFromMain(<ts.ExportDeclaration>node)
return true
}
else if (node.kind === ts.SyntaxKind.SourceFile) {
return false
}
else if (node.kind === ts.SyntaxKind.VariableStatement) {
const descriptor = this.describeVariable(<ts.VariableStatement>node)
if (descriptor != null) {
members.push(descriptor)
}
}
else if (node.kind === ts.SyntaxKind.EnumDeclaration) {
const descriptor = this.describeEnum(<ts.EnumDeclaration>node)
if (descriptor != null) {
members.push(descriptor)
}
}
return true
})
const existingPsi = this.moduleNameToResult.get(moduleId.id)
if (existingPsi == null) {
this.moduleNameToResult.set(moduleId.id, {classes, functions, members})
}
else {
existingPsi.classes.push(...classes)
existingPsi.functions.push(...functions)
existingPsi.members.push(...members)
}
}
private handleExportFromMain(node: ts.ExportDeclaration) {
const moduleSpecifier = node.moduleSpecifier
const exportClause = node.exportClause
if (exportClause == null || moduleSpecifier == null) {
return
}
if (moduleSpecifier.kind !== ts.SyntaxKind.StringLiteral) {
return
}
const filePath = (<ts.StringLiteral>moduleSpecifier).text
if (!filePath.startsWith(".")) {
return
}
const fullFilename = path.posix.resolve(path.posix.dirname(node.getSourceFile().fileName), filePath) + ".ts"
const sourceFile = this.program.getSourceFile(fullFilename)
if (sourceFile == null) {
return
}
const names: Array<string> = []
for (const e of (exportClause as any).elements) {
if (e.kind === ts.SyntaxKind.ExportSpecifier) {
names.push((<ts.Identifier>(<ts.ExportSpecifier>e).name).text)
}
else {
console.error(`Unsupported export element: ${e.getText(e.getSourceFile())}`)
}
}
this.mainMappings.set(this.sourceFileToModuleId(sourceFile).id, names)
}
getTypeNamePathByNode(node: ts.Node): Array<string | Type> | null {
if (node.kind === ts.SyntaxKind.UnionType) {
return this.typesToList((<ts.UnionType>(<any>node)).types, node)
}
else if (node.kind === ts.SyntaxKind.FunctionType) {
return ["callback"]
}
else if (node.kind === ts.SyntaxKind.NumberKeyword) {
return ["number"]
}
else if (node.kind === ts.SyntaxKind.StringKeyword) {
return ["string"]
}
else if (node.kind === ts.SyntaxKind.BooleanKeyword) {
return ["boolean"]
}
else if (node.kind === ts.SyntaxKind.NullKeyword) {
return ["null"]
}
else if (node.kind === ts.SyntaxKind.UndefinedKeyword) {
return ["undefined"]
}
else if (node.kind === ts.SyntaxKind.LiteralType) {
const text = (<ts.LiteralLikeNode>(<any>(<ts.LiteralTypeNode>node).literal)).text
return [`"${text}"`]
}
else if (node.kind === ts.SyntaxKind.TypeLiteral) {
// todo
return ['Object.<string, any>']
}
const type = this.program.getTypeChecker().getTypeAtLocation(node)
return type == null ? null : this.getTypeNames(type, node)
}
private typesToList(types: Array<ts.Type>, node: ts.Node) {
const typeNames: Array<string | Type> = []
for (const type of types) {
if ((<any>type).kind == null) {
const name = this.getTypeNamePath(<any>type)
if (name == null) {
throw new Error(`Cannot get name for ${node.getText(node.getSourceFile())}`)
}
typeNames.push(name)
}
else {
const name = this.getTypeNamePathByNode(<any>type)
if (name == null) {
throw new Error(`Cannot get name for ${node.getText(node.getSourceFile())}`)
}
typeNames.push(...name)
}
}
return typeNames
}
getTypeNames(type: ts.Type, node: ts.Node): Array<string | Type> | null {
if (type.flags & ts.TypeFlags.UnionOrIntersection && !(type.flags & ts.TypeFlags.Enum) && !(type.flags & ts.TypeFlags.EnumLiteral) && !(type.flags & ts.TypeFlags.Boolean) && !(type.flags & ts.TypeFlags.BooleanLiteral)) {
return this.typesToList((<ts.UnionOrIntersectionType>type).types, node)
}
let result = this.getTypeNamePath(type)
if (result == null) {
return null
}
const typeArguments = (<ts.TypeReference>type).typeArguments
if (typeArguments != null) {
const subTypes = []
for (const type of typeArguments) {
const typeNames = this.getTypeNames(type, node)
if (typeNames != null) {
subTypes.push(...typeNames)
}
}
return [{name: result, subTypes: subTypes}]
}
return [result]
}
getTypeNamePath(type: ts.Type): string | null {
if (type.flags & ts.TypeFlags.Boolean) {
return "boolean"
}
if (type.flags & ts.TypeFlags.Void) {
return "void"
}
if (type.flags & ts.TypeFlags.Null) {
return "null"
}
if (type.flags & ts.TypeFlags.String) {
return "string"
}
if (type.flags & ts.TypeFlags.Number) {
return "number"
}
if (type.flags & ts.TypeFlags.Undefined) {
return "undefined"
}
if (type.flags & ts.TypeFlags.Any) {
return "any"
}
if (type.flags & ts.TypeFlags.Literal) {
return `"${(<ts.LiteralType>type).value}"`
}
const symbol = type.symbol
if (symbol == null || symbol.declarations == null || symbol.declarations.length === 0) {
return null
}
const valueDeclaration = (symbol.valueDeclaration || ((symbol.declarations == null || symbol.declarations.length === 0) ? null : symbol.declarations[0]))!!
if (ts.getCombinedModifierFlags(valueDeclaration) & ts.ModifierFlags.Ambient) {
// Error from lib.es5.d.ts
return symbol.name
}
let typeSourceParent: ts.Node | null | undefined = valueDeclaration
while (typeSourceParent != null) {
if (typeSourceParent.kind === ts.SyntaxKind.ModuleDeclaration && (typeSourceParent.flags & ts.NodeFlags.NestedNamespace) <= 0) {
const m = <ts.ModuleDeclaration>typeSourceParent
const sourceModuleId = (<ts.Identifier>m.name).text
if (typeSourceParent.flags & ts.NodeFlags.Namespace) {
return `${sourceModuleId}:${symbol.name}`
}
else {
return `module:${sourceModuleId}.${symbol.name}`
}
}
else if (typeSourceParent.kind === ts.SyntaxKind.SourceFile) {
const sourceModuleId = this.sourceFileToModuleId(<ts.SourceFile>typeSourceParent).id
return `module:${sourceModuleId}.${symbol.name}`
}
typeSourceParent = typeSourceParent.parent
}
console.warn(`Cannot find parent for ${symbol}`)
return null
}
private describeEnum(node: ts.EnumDeclaration): Descriptor | null {
const flags = ts.getCombinedModifierFlags(node)
if (!(flags & ts.ModifierFlags.Export)) {
return null
}
const type = {
names: ["number"]
}
const name = (<ts.Identifier>node.name).text
const moduleId = this.computeTypePath()
const id = `${moduleId}.${name}`
const properties: Array<Descriptor> = []
for (const member of node.members) {
const name = (<ts.Identifier>member.name).text
properties.push({
name: name,
kind: "member",
scope: "static",
memberof: id,
type: type,
})
}
// we don't set readonly because it is clear that enum is not mutable
// e.g. jsdoc2md wil add useless "Read only: true"
// noinspection SpellCheckingInspection
return {
node: node,
id: id,
name: name,
longname: id,
kind: "enum",
scope: "static",
memberof: moduleId,
type: type,
properties: properties,
}
}
private describeVariable(node: ts.VariableStatement): Variable | null {
const declarations = node.declarationList == null ? null : node.declarationList.declarations
if (declarations == null || declarations.length !== 1) {
return null
}
const flags = ts.getCombinedModifierFlags(declarations[0])
if (!(flags & ts.ModifierFlags.Export)) {
return null
}
const declaration = <ts.VariableDeclaration>declarations[0]
if (declaration.type == null) {
return null
}
const existingJsDoc = JsDocRenderer.getComment(node)
const jsDoc = existingJsDoc == null ? null : parseJsDoc(existingJsDoc, {unwrap: true})
if (JsDocGenerator.isHidden(jsDoc)) {
return null
}
let types
const type = this.program.getTypeChecker().getTypeAtLocation(declaration)
if (type.symbol != null && type.symbol.valueDeclaration != null) {
types = [this.getTypeNamePath(type)!!]
}
else {
types = this.getTypeNamePathByNode(declaration.type)!!
}
// NodeFlags.Const on VariableDeclarationList, not on VariableDeclaration
return {types, node, name: (<ts.Identifier>declaration.name).text, isConst: (node.declarationList.flags & ts.NodeFlags.Const) > 0}
}
//noinspection JSMethodCanBeStatic
private describeFunction(node: ts.FunctionDeclaration): MethodDescriptor | null {
const flags = ts.getCombinedModifierFlags(node)
if (!(flags & ts.ModifierFlags.Export)) {
return null
}
const existingJsDoc = JsDocRenderer.getComment(node)
const jsDoc = existingJsDoc == null ? null : parseJsDoc(existingJsDoc, {unwrap: true})
return JsDocGenerator.isHidden(jsDoc) ? null : {name: (node.name as ts.Identifier).text, node: node, tags: [], jsDoc }
}
private static isHidden(jsDoc: Annotation | null): boolean {
if (jsDoc == null) {
return false
}
for (const tag of jsDoc.tags) {
if (tag.title === "internal" || tag.title === "private") {
return true
}
}
return false
}
private processClassOrInterface(node: ts.Node): Class | null {
const flags = ts.getCombinedModifierFlags(node as ts.Declaration)
if (!(flags & ts.ModifierFlags.Export)) {
return null
}
const nodeDeclaration = <ts.InterfaceDeclaration>node
const existingJsDoc = JsDocRenderer.getComment(node)
const jsDoc = existingJsDoc == null ? null : parseJsDoc(existingJsDoc, {unwrap: true})
if (JsDocGenerator.isHidden(jsDoc)) {
return null
}
const className = (<ts.Identifier>nodeDeclaration.name).text
const clazz = <ts.ClassDeclaration>node
let parents: Array<string | Type> = []
if (clazz.heritageClauses != null) {
for (const heritageClause of clazz.heritageClauses) {
if (heritageClause.types != null) {
for (const type of heritageClause.types) {
const typeNamePath = this.getTypeNamePathByNode(type)
if (typeNamePath != null) {
parents = parents.concat(typeNamePath)
}
}
}
}
}
const methods: Array<MethodDescriptor> = []
const properties: Array<Property> = []
for (const member of nodeDeclaration.members) {
if (member.kind === ts.SyntaxKind.PropertySignature) {
const p = this.describeProperty(<any>member, node.kind === ts.SyntaxKind.ClassDeclaration)
if (p != null) {
properties.push(p)
}
}
else if (member.kind === ts.SyntaxKind.PropertyDeclaration) {
const p = this.describeProperty(<any>member, node.kind === ts.SyntaxKind.ClassDeclaration)
if (p != null) {
properties.push(p)
}
}
else if (member.kind === ts.SyntaxKind.GetAccessor) {
const p = this.describeProperty(<any>member, node.kind === ts.SyntaxKind.ClassDeclaration)
if (p != null) {
properties.push(p)
}
}
else if (member.kind === ts.SyntaxKind.MethodDeclaration || member.kind === ts.SyntaxKind.MethodSignature) {
const m = this.renderMethod(<any>member)
if (m != null) {
methods.push(m)
}
}
}
methods.sort((a, b) => {
let weightA = a.isProtected ? 100 : 0
let weightB = b.isProtected ? 100 : 0
// do not reorder getFeedURL/setFeedURL
weightA += trimMutatorPrefix(a.name).localeCompare(trimMutatorPrefix(b.name))
return weightA - weightB
})
return {
modulePath: this.computeTypePath(),
name: className,
node, methods, properties, parents,
isInterface: node.kind === ts.SyntaxKind.InterfaceDeclaration
}
}
private describeProperty(node: ts.PropertySignature | ts.PropertyDeclaration, isParentClass: boolean): Property | null {
const flags = ts.getCombinedModifierFlags(node)
if (flags & ts.ModifierFlags.Private) {
return null
}
if (this.options.access === "public" && flags & ts.ModifierFlags.Protected) {
return null
}
const name = (<ts.Identifier>node.name).text
let types: Array<string | Type>
if (node.type == null) {
const type = this.program.getTypeChecker().getTypeAtLocation(node)
if (type == null) {
return null
}
types = this.getTypeNames(type, node)!!
}
else {
types = this.getTypeNamePathByNode(node.type)!!
}
let isOptional = node.questionToken != null
let defaultValue = null
const initializer = node.initializer
if (initializer != null) {
const initializerText = initializer.getText()
if ((<any>initializer).expression != null || (<ts.Node>initializer).kind === ts.SyntaxKind.NoSubstitutionTemplateLiteral || initializerText.includes("process.stdout")) {
defaultValue = initializerText
}
else {
try {
const sandbox = {sandboxVar: null as any}
vm.runInNewContext(`sandboxVar=${initializerText}`, sandbox)
const val = sandbox.sandboxVar
if (val === null || typeof val === "string" || typeof val === "number" || "boolean" || Object.prototype.toString.call(val) === "[object Array]") {
defaultValue = val
}
else if (val) {
console.warn(`unknown initializer for property ${name}: ${val}`)
}
}
catch (e) {
console.info(`exception evaluating "${initializerText}" for property ${name}`)
defaultValue = initializerText
}
}
}
isOptional = isOptional || defaultValue != null || types!.includes("null")
if (!isOptional && isParentClass && (flags & ts.ModifierFlags.Readonly) > 0) {
isOptional = true
}
return {name, types, node, isOptional, defaultValue}
}
private renderMethod(node: ts.SignatureDeclaration): MethodDescriptor | null {
// node.flags doesn't report correctly for private methods
const flags = ts.getCombinedModifierFlags(node)
if (flags & ts.ModifierFlags.Private) {
return null
}
if (this.options.access === "public" && flags & ts.ModifierFlags.Protected) {
return null
}
const tags = []
const isProtected = (flags & ts.ModifierFlags.Protected) > 0
if (isProtected) {
tags.push(`@protected`)
}
const name = (<ts.Identifier>node.name).text
const existingJsDoc = JsDocRenderer.getComment(node)
const jsDoc = existingJsDoc == null ? null : parseJsDoc(existingJsDoc, {unwrap: true})
return JsDocGenerator.isHidden(jsDoc) ? null : {name, tags, isProtected, node, jsDoc}
}
private computeTypePath(): string {
return `module:${this.currentSourceModuleId}`
}
}
function trimMutatorPrefix(name: string) {
if (name.length > 4 && name[3] === name[3].toUpperCase() && (name.startsWith("get") || name.startsWith("set"))) {
return name[3].toLowerCase() + name.substring(4)
}
return name
}
export interface Example {
name: string
content: string
lang: string
}