forked from styleguidist/react-docgen-typescript
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathparser.ts
More file actions
680 lines (576 loc) · 18.1 KB
/
parser.ts
File metadata and controls
680 lines (576 loc) · 18.1 KB
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
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
import * as fs from 'fs';
import * as path from 'path';
import * as ts from 'typescript';
import { buildFilter } from './buildFilter';
export interface StringIndexedObject<T> {
[key: string]: T;
}
export interface ComponentDoc {
displayName: string;
description: string;
props: Props;
}
export interface Props extends StringIndexedObject<PropItem> {}
export interface PropItem {
name: string;
required: boolean;
type: PropItemType;
description: string;
defaultValue: any;
}
export interface Component {
name: string;
}
export interface PropItemType {
name: string;
value?: any;
}
export type PropFilter = (props: PropItem, component: Component) => boolean;
export interface ParserOptions {
propFilter?: StaticPropFilter | PropFilter;
}
export interface StaticPropFilter {
skipPropsWithName?: string[] | string;
skipPropsWithoutDoc?: boolean;
}
export const defaultParserOpts: ParserOptions = {};
export interface FileParser {
parse(filePathOrPaths: string | string[]): ComponentDoc[];
}
const defaultOptions: ts.CompilerOptions = {
jsx: ts.JsxEmit.React,
module: ts.ModuleKind.CommonJS,
target: ts.ScriptTarget.Latest
};
/**
* Parses a file with default TS options
* @param filePath component file that should be parsed
*/
export function parse(
filePathOrPaths: string | string[],
parserOpts: ParserOptions = defaultParserOpts
) {
return withCompilerOptions(defaultOptions, parserOpts).parse(filePathOrPaths);
}
/**
* Constructs a parser for a default configuration.
*/
export function withDefaultConfig(
parserOpts: ParserOptions = defaultParserOpts
): FileParser {
return withCompilerOptions(defaultOptions, parserOpts);
}
/**
* Constructs a parser for a specified tsconfig file.
*/
export function withCustomConfig(
tsconfigPath: string,
parserOpts: ParserOptions
): FileParser {
const basePath = path.dirname(tsconfigPath);
const { config, error } = ts.readConfigFile(tsconfigPath, filename =>
fs.readFileSync(filename, 'utf8')
);
if (error !== undefined) {
throw error;
}
const { options, errors } = ts.parseJsonConfigFileContent(
config,
ts.sys,
basePath,
{},
tsconfigPath
);
if (errors && errors.length) {
throw errors[0];
}
return withCompilerOptions(options, parserOpts);
}
/**
* Constructs a parser for a specified set of TS compiler options.
*/
export function withCompilerOptions(
compilerOptions: ts.CompilerOptions,
parserOpts: ParserOptions = defaultParserOpts
): FileParser {
return {
parse(filePathOrPaths: string | string[]): ComponentDoc[] {
const filePaths = Array.isArray(filePathOrPaths)
? filePathOrPaths
: [filePathOrPaths];
const program = ts.createProgram(filePaths, compilerOptions);
const parser = new Parser(program, parserOpts);
const checker = program.getTypeChecker();
return filePaths
.map(filePath => program.getSourceFile(filePath))
.filter(
(sourceFile): sourceFile is ts.SourceFile =>
typeof sourceFile !== 'undefined'
)
.reduce<ComponentDoc[]>((docs, sourceFile) => {
const moduleSymbol = checker.getSymbolAtLocation(sourceFile);
if (!moduleSymbol) {
return docs;
}
Array.prototype.push.apply(
docs,
checker
.getExportsOfModule(moduleSymbol)
.map(exp => parser.getComponentInfo(exp, sourceFile))
.filter((comp): comp is ComponentDoc => comp !== null)
.filter((comp, index, comps) =>
comps
.slice(index + 1)
.every(
innerComp => innerComp!.displayName !== comp!.displayName
)
)
);
return docs;
}, []);
}
};
}
interface JSDoc {
description: string;
fullComment: string;
tags: StringIndexedObject<string>;
}
const defaultJSDoc: JSDoc = {
description: '',
fullComment: '',
tags: {}
};
class Parser {
private checker: ts.TypeChecker;
private propFilter: PropFilter;
constructor(program: ts.Program, opts: ParserOptions) {
this.checker = program.getTypeChecker();
this.propFilter = buildFilter(opts);
}
public getComponentInfo(
exp: ts.Symbol,
source: ts.SourceFile
): ComponentDoc | null {
if (!!exp.declarations && exp.declarations.length === 0) {
return null;
}
const type = this.checker.getTypeOfSymbolAtLocation(
exp,
exp.valueDeclaration || exp.declarations![0]
);
let commentSource = exp;
if (!exp.valueDeclaration) {
if (!type.symbol) {
return null;
}
exp = type.symbol;
if (exp.getName() === 'StatelessComponent') {
commentSource = this.checker.getAliasedSymbol(commentSource);
} else {
commentSource = exp;
}
}
const propsType =
this.extractPropsFromTypeIfStatelessComponent(type) ||
this.extractPropsFromTypeIfStatefulComponent(type);
if (propsType) {
const componentName = computeComponentName(exp, source);
const defaultProps = this.extractDefaultPropsFromComponent(exp, source);
const props = this.getPropsInfo(propsType, defaultProps);
for (const propName of Object.keys(props)) {
const prop = props[propName];
const component: Component = { name: componentName };
if (!this.propFilter(prop, component)) {
delete props[propName];
}
}
return {
description: this.findDocComment(commentSource).fullComment,
displayName: componentName,
props
};
}
return null;
}
public extractPropsFromTypeIfStatelessComponent(
type: ts.Type
): ts.Symbol | null {
const callSignatures = type.getCallSignatures();
if (callSignatures.length) {
// Could be a stateless component. Is a function, so the props object we're interested
// in is the (only) parameter.
for (const sig of callSignatures) {
const params = sig.getParameters();
if (params.length === 0) {
continue;
}
// Maybe we could check return type instead,
// but not sure if Element, ReactElement<T> are all possible values
const propsParam = params[0];
if (propsParam.name === 'props' || params.length === 1) {
return propsParam;
}
}
}
return null;
}
public extractPropsFromTypeIfStatefulComponent(
type: ts.Type
): ts.Symbol | null {
const constructSignatures = type.getConstructSignatures();
if (constructSignatures.length) {
// React.Component. Is a class, so the props object we're interested
// in is the type of 'props' property of the object constructed by the class.
for (const sig of constructSignatures) {
const instanceType = sig.getReturnType();
const props = instanceType.getProperty('props');
if (props) {
return props;
}
}
}
return null;
}
public getPropsInfo(
propsObj: ts.Symbol,
defaultProps: StringIndexedObject<string> = {}
): Props {
if (!propsObj.valueDeclaration) {
return {};
}
const propsType = this.checker.getTypeOfSymbolAtLocation(
propsObj,
propsObj.valueDeclaration
);
const propertiesOfProps = propsType.getProperties();
const result: Props = {};
propertiesOfProps.forEach(prop => {
const propName = prop.getName();
// Find type of prop by looking in context of the props object itself.
const propType = this.checker.getTypeOfSymbolAtLocation(
prop,
propsObj.valueDeclaration!
);
const propTypeString = this.checker.typeToString(propType);
// tslint:disable-next-line:no-bitwise
const isOptional = (prop.getFlags() & ts.SymbolFlags.Optional) !== 0;
const jsDocComment = this.findDocComment(prop);
let defaultValue = null;
if (defaultProps[propName] !== undefined) {
defaultValue = { value: defaultProps[propName] };
} else if (jsDocComment.tags.default) {
defaultValue = { value: jsDocComment.tags.default };
}
result[propName] = {
defaultValue,
description: jsDocComment.fullComment,
name: propName,
required: !isOptional,
type: { name: propTypeString }
};
});
return result;
}
public findDocComment(symbol: ts.Symbol): JSDoc {
const comment = this.getFullJsDocComment(symbol);
if (comment.fullComment) {
return comment;
}
const rootSymbols = this.checker.getRootSymbols(symbol);
const commentsOnRootSymbols = rootSymbols
.filter(x => x !== symbol)
.map(x => this.getFullJsDocComment(x))
.filter(x => !!x.fullComment);
if (commentsOnRootSymbols.length) {
return commentsOnRootSymbols[0];
}
return defaultJSDoc;
}
/**
* Extracts a full JsDoc comment from a symbol, even
* though TypeScript has broken down the JsDoc comment into plain
* text and JsDoc tags.
*/
public getFullJsDocComment(symbol: ts.Symbol): JSDoc {
// in some cases this can be undefined (Pick<Type, 'prop1'|'prop2'>)
if (symbol.getDocumentationComment === undefined) {
return defaultJSDoc;
}
const mainComment = ts.displayPartsToString(
symbol.getDocumentationComment(this.checker)
);
const tags = symbol.getJsDocTags() || [];
const tagComments: string[] = [];
const tagMap: StringIndexedObject<string> = {};
tags.forEach(tag => {
const trimmedText = (tag.text || '').trim();
const currentValue = tagMap[tag.name];
tagMap[tag.name] = currentValue
? currentValue + '\n' + trimmedText
: trimmedText;
if (tag.name !== 'default') {
tagComments.push(formatTag(tag));
}
});
return {
description: mainComment,
fullComment: (mainComment + '\n' + tagComments.join('\n')).trim(),
tags: tagMap
};
}
public extractDefaultPropsFromComponent(
symbol: ts.Symbol,
source: ts.SourceFile
) {
let possibleStatements = source.statements
// ensure that name property is available
.filter(stmt => !!(stmt as ts.ClassDeclaration).name)
.filter(
stmt =>
this.checker.getSymbolAtLocation(
(stmt as ts.ClassDeclaration).name!
) === symbol
);
if (!possibleStatements.length) {
// if no class declaration is found, try to find a
// expression statement used in a React.StatelessComponent
possibleStatements = source.statements.filter(stmt =>
ts.isExpressionStatement(stmt)
);
}
if (!possibleStatements.length) {
return {};
}
const statement = possibleStatements[0];
if (statementIsClassDeclaration(statement) && statement.members.length) {
const possibleDefaultProps = statement.members.filter(
member => member.name && getPropertyName(member.name) === 'defaultProps'
);
if (!possibleDefaultProps.length) {
return {};
}
const defaultProps = possibleDefaultProps[0];
let initializer = (defaultProps as ts.PropertyDeclaration).initializer;
let properties = (initializer as ts.ObjectLiteralExpression).properties;
while (ts.isIdentifier(initializer as ts.Identifier)) {
const defaultPropsReference = this.checker.getSymbolAtLocation(
initializer as ts.Node
);
if (defaultPropsReference) {
const declarations = defaultPropsReference.getDeclarations();
if (declarations) {
initializer = (declarations[0] as ts.VariableDeclaration)
.initializer;
properties = (initializer as ts.ObjectLiteralExpression).properties;
}
}
}
let propMap = {};
if (properties) {
propMap = this.getPropMap(properties as ts.NodeArray<
ts.PropertyAssignment
>);
}
return propMap;
} else if (statementIsStateless(statement)) {
let propMap = {};
(statement as ts.ExpressionStatement).getChildren().forEach(child => {
const { right } = child as ts.BinaryExpression;
if (right) {
const { properties } = right as ts.ObjectLiteralExpression;
if (properties) {
propMap = this.getPropMap(properties as ts.NodeArray<
ts.PropertyAssignment
>);
}
}
});
return propMap;
}
return {};
}
public getLiteralValueFromPropertyAssignment(
property: ts.PropertyAssignment
): string | null {
let { initializer } = property;
// Shorthand properties, so inflect their actual value
if (!initializer) {
if (ts.isShorthandPropertyAssignment(property)) {
const symbol = this.checker.getShorthandAssignmentValueSymbol(property);
const decl =
symbol && (symbol.valueDeclaration as ts.VariableDeclaration);
if (decl && decl.initializer) {
initializer = decl.initializer!;
}
}
}
if (!initializer) {
return null;
}
// Literal values
switch (initializer.kind) {
case ts.SyntaxKind.FalseKeyword:
return 'false';
case ts.SyntaxKind.TrueKeyword:
return 'true';
case ts.SyntaxKind.StringLiteral:
return (initializer as ts.StringLiteral).text.trim();
case ts.SyntaxKind.PrefixUnaryExpression:
return initializer.getFullText().trim();
case ts.SyntaxKind.NumericLiteral:
return `${(initializer as ts.NumericLiteral).text}`;
case ts.SyntaxKind.NullKeyword:
return 'null';
case ts.SyntaxKind.Identifier:
// can potentially find other identifiers in the source and map those in the future
return (initializer as ts.Identifier).text === 'undefined'
? 'undefined'
: null;
case ts.SyntaxKind.ObjectLiteralExpression:
// return the source text for an object literal
return (initializer as ts.ObjectLiteralExpression).getText();
default:
return null;
}
}
public getPropMap(
properties: ts.NodeArray<ts.PropertyAssignment>
): StringIndexedObject<string> {
const propMap = properties.reduce(
(acc, property) => {
if (ts.isSpreadAssignment(property) || !property.name) {
return acc;
}
const literalValue = this.getLiteralValueFromPropertyAssignment(
property
);
const propertyName = getPropertyName(property.name);
if (typeof literalValue === 'string' && propertyName !== null) {
acc[propertyName] = literalValue;
}
return acc;
},
{} as StringIndexedObject<string>
);
return propMap;
}
}
function statementIsClassDeclaration(
statement: ts.Statement
): statement is ts.ClassDeclaration {
return !!(statement as ts.ClassDeclaration).members;
}
function statementIsStateless(statement: ts.Statement): boolean {
const children = (statement as ts.ExpressionStatement).getChildren();
for (const child of children) {
const { left } = child as ts.BinaryExpression;
if (left) {
const { name } = left as ts.PropertyAccessExpression;
if (name.escapedText === 'defaultProps') {
return true;
}
}
}
return false;
}
function getPropertyName(name: ts.PropertyName): string | null {
switch (name.kind) {
case ts.SyntaxKind.NumericLiteral:
case ts.SyntaxKind.StringLiteral:
case ts.SyntaxKind.Identifier:
return name.text;
case ts.SyntaxKind.ComputedPropertyName:
return name.getText();
default:
return null;
}
}
function formatTag(tag: ts.JSDocTagInfo) {
let result = '@' + tag.name;
if (tag.text) {
result += ' ' + tag.text;
}
return result;
}
function getTextValueOfClassMember(
classDeclaration: ts.ClassDeclaration,
memberName: string
): string {
const [textValue] = classDeclaration.members
.filter(member => ts.isPropertyDeclaration(member))
.filter(member => {
const name = ts.getNameOfDeclaration(member) as ts.Identifier;
return name && name.text === memberName;
})
.map(member => {
const property = member as ts.PropertyDeclaration;
return (
property.initializer && (property.initializer as ts.Identifier).text
);
});
return textValue || '';
}
function getTextValueOfFunctionProperty(
exp: ts.Symbol,
source: ts.SourceFile,
propertyName: string
) {
const [textValue] = source.statements
.filter(statement => ts.isExpressionStatement(statement))
.filter(statement => {
const expr = (statement as ts.ExpressionStatement)
.expression as ts.BinaryExpression;
return (
(expr.left as ts.PropertyAccessExpression).name.escapedText ===
propertyName
);
})
.filter(statement => {
const expr = (statement as ts.ExpressionStatement)
.expression as ts.BinaryExpression;
return (
((expr.left as ts.PropertyAccessExpression).expression as ts.Identifier)
.escapedText === exp.getName()
);
})
.filter(statement => {
return ts.isStringLiteral(
((statement as ts.ExpressionStatement)
.expression as ts.BinaryExpression).right
);
})
.map(statement => {
return (((statement as ts.ExpressionStatement)
.expression as ts.BinaryExpression).right as ts.Identifier).text;
});
return textValue || '';
}
function computeComponentName(exp: ts.Symbol, source: ts.SourceFile) {
const exportName = exp.getName();
const statelessDisplayName = getTextValueOfFunctionProperty(
exp,
source,
'displayName'
);
const statefulDisplayName =
exp.valueDeclaration &&
ts.isClassDeclaration(exp.valueDeclaration) &&
getTextValueOfClassMember(exp.valueDeclaration, 'displayName');
if (statelessDisplayName || statefulDisplayName) {
return statelessDisplayName || statefulDisplayName || '';
}
if (
exportName === 'default' ||
exportName === '__function' ||
exportName === 'StatelessComponent'
) {
// Default export for a file: named after file
const name = path.basename(source.fileName, path.extname(source.fileName));
return name === 'index'
? path.basename(path.dirname(source.fileName))
: name;
} else {
return exportName;
}
}