Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat(compiler): copy doc block from component to generated types #3525

Merged
merged 1 commit into from
Dec 6, 2022
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
22 changes: 16 additions & 6 deletions src/compiler/types/generate-app-types.ts
Original file line number Diff line number Diff line change
@@ -1,4 +1,4 @@
import { normalizePath } from '@utils';
import { addDocBlock, normalizePath } from '@utils';
import { isAbsolute, relative, resolve } from 'path';

import type * as d from '../../declarations';
Expand Down Expand Up @@ -133,7 +133,12 @@ const generateComponentTypesFile = (config: d.Config, buildCtx: d.BuildCtx, areT
c.push(`}`);

c.push(`declare namespace LocalJSX {`);
c.push(...modules.map((m) => ` ${m.jsx}`));
c.push(
...modules.map((m) => {
const docs = components.find((c) => c.tagName === m.tagName).docs;
return addDocBlock(` ${m.jsx}`, docs, 4);
})
);

c.push(` interface IntrinsicElements {`);
c.push(...modules.map((m) => ` "${m.tagName}": ${m.tagNameAsPascal};`));
Expand All @@ -147,10 +152,15 @@ const generateComponentTypesFile = (config: d.Config, buildCtx: d.BuildCtx, areT
c.push(` export namespace JSX {`);
c.push(` interface IntrinsicElements {`);
c.push(
...modules.map(
(m) =>
` "${m.tagName}": LocalJSX.${m.tagNameAsPascal} & JSXBase.HTMLAttributes<${m.htmlElementName}>;`
)
...modules.map((m) => {
const docs = components.find((c) => c.tagName === m.tagName).docs;

return addDocBlock(
` "${m.tagName}": LocalJSX.${m.tagNameAsPascal} & JSXBase.HTMLAttributes<${m.htmlElementName}>;`,
docs,
12
);
})
);
c.push(` }`);
c.push(` }`);
Expand Down
10 changes: 7 additions & 3 deletions src/compiler/types/generate-component-types.ts
Original file line number Diff line number Diff line change
@@ -1,4 +1,4 @@
import { dashToPascalCase, sortBy } from '@utils';
import { addDocBlock, dashToPascalCase, sortBy } from '@utils';

import type * as d from '../../declarations';
import { generateEventTypes } from './generate-event-types';
Expand Down Expand Up @@ -34,7 +34,11 @@ export const generateComponentTypes = (
const jsxAttributes = attributesToMultiLineString([...propAttributes, ...eventAttributes], true, areTypesInternal);

const element = [
` interface ${htmlElementName} extends Components.${tagNameAsPascal}, HTMLStencilElement {`,
addDocBlock(
` interface ${htmlElementName} extends Components.${tagNameAsPascal}, HTMLStencilElement {`,
cmp.docs,
4
),
` }`,
` var ${htmlElementName}: {`,
` prototype: ${htmlElementName};`,
Expand All @@ -46,7 +50,7 @@ export const generateComponentTypes = (
tagName,
tagNameAsPascal,
htmlElementName,
component: ` interface ${tagNameAsPascal} {\n${componentAttributes} }`,
component: addDocBlock(` interface ${tagNameAsPascal} {\n${componentAttributes} }`, cmp.docs, 4),
jsx: ` interface ${tagNameAsPascal} {\n${jsxAttributes} }`,
element: element.join(`\n`),
};
Expand Down
51 changes: 51 additions & 0 deletions src/utils/test/util.spec.ts
Original file line number Diff line number Diff line change
Expand Up @@ -200,4 +200,55 @@ describe('util', () => {
});
});
});

describe('addDocBlock', () => {
let str: string;
let docs: d.CompilerJsDoc;

beforeEach(() => {
str = 'interface Foo extends Components.Foo, HTMLStencilElement {';
docs = {
tags: [{ name: 'deprecated', text: 'only for testing' }],
text: 'Lorem ipsum',
};
});

it('adds a doc block to the string', () => {
expect(util.addDocBlock(str, docs)).toEqual(`/**
* Lorem ipsum
* @deprecated only for testing
*/
interface Foo extends Components.Foo, HTMLStencilElement {`);
});

it('indents the doc block correctly', () => {
str = ' ' + str;
expect(util.addDocBlock(str, docs, 4)).toEqual(` /**
* Lorem ipsum
* @deprecated only for testing
*/
interface Foo extends Components.Foo, HTMLStencilElement {`);
});

it('excludes the @internal tag', () => {
docs.tags.push({ name: 'internal' });
expect(util.addDocBlock(str, docs).includes('@internal')).toBeFalsy();
});

it('excludes empty lines', () => {
docs.text = '';
str = ' ' + str;
expect(util.addDocBlock(str, docs, 4)).toEqual(` /**
* @deprecated only for testing
*/
interface Foo extends Components.Foo, HTMLStencilElement {`);
});

it.each([[null], [undefined], [{ tags: [], text: '' }]])(
'does not add a doc block when docs are empty (%j)',
(docs) => {
expect(util.addDocBlock(str, docs)).toEqual(str);
}
);
});
});
50 changes: 50 additions & 0 deletions src/utils/util.ts
Original file line number Diff line number Diff line change
Expand Up @@ -2,6 +2,8 @@ import type * as d from '../declarations';
import { dashToPascalCase, isString, toDashCase } from './helpers';
import { buildError } from './message-utils';

const SUPPRESSED_JSDOC_TAGS: string[] = ['internal'];

export const createJsVarName = (fileName: string) => {
if (isString(fileName)) {
fileName = fileName.split('?')[0];
Expand Down Expand Up @@ -72,6 +74,54 @@ ${docs.tags
.join('\n')}`.trim();
}

/**
* Adds a doc block to a string
* @param str the string to add a doc block to
* @param docs the compiled JS docs
* @param indentation number of spaces to indent the block with
* @returns the doc block
*/
export function addDocBlock(str: string, docs?: d.CompilerJsDoc, indentation: number = 0): string {
if (!docs) {
return str;
}

return [formatDocBlock(docs, indentation), str].filter(Boolean).join(`\n`);
}

/**
* Formats the given compiled docs to a JavaScript doc block
* @param docs the compiled JS docs
* @param indentation number of spaces to indent the block with
* @returns the formatted doc block
*/
function formatDocBlock(docs: d.CompilerJsDoc, indentation: number = 0): string {
const textDocs = getDocBlockLines(docs);
if (!textDocs.filter(Boolean).length) {
return '';
}

const spaces = new Array(indentation + 1).join(' ');

return [spaces + '/**', ...textDocs.map((line) => spaces + ` * ${line}`), spaces + ' */'].join(`\n`);
}

/**
* Get all lines part of the doc block
* @param docs the compiled JS docs
* @returns list of lines part of the doc block
*/
function getDocBlockLines(docs: d.CompilerJsDoc): string[] {
return [
...docs.text.split(lineBreakRegex),
...docs.tags
.filter((tag) => !SUPPRESSED_JSDOC_TAGS.includes(tag.name))
.map((tag) => `@${tag.name} ${tag.text || ''}`.split(lineBreakRegex)),
]
.flat()
.filter(Boolean);
}

/**
* Retrieve a project's dependencies from the current build context
* @param buildCtx the current build context to query for a specific package
Expand Down
32 changes: 32 additions & 0 deletions test/end-to-end/src/components.d.ts
Original file line number Diff line number Diff line change
Expand Up @@ -14,6 +14,11 @@ export namespace Components {
interface CarDetail {
"car": CarData;
}
/**
* Component that helps display a list of cars
* @slot header - The slot for the header content.
* @part car - The shadow part to target to style the car.
*/
interface CarList {
"cars": CarData[];
"selected": CarData;
Expand Down Expand Up @@ -47,6 +52,9 @@ export namespace Components {
}
interface PrerenderCmp {
}
/**
* @virtualProp mode - Mode
*/
interface PropCmp {
"first": string;
"lastName": string;
Expand Down Expand Up @@ -92,6 +100,11 @@ declare global {
prototype: HTMLCarDetailElement;
new (): HTMLCarDetailElement;
};
/**
* Component that helps display a list of cars
* @slot header - The slot for the header content.
* @part car - The shadow part to target to style the car.
*/
interface HTMLCarListElement extends Components.CarList, HTMLStencilElement {
}
var HTMLCarListElement: {
Expand Down Expand Up @@ -164,6 +177,9 @@ declare global {
prototype: HTMLPrerenderCmpElement;
new (): HTMLPrerenderCmpElement;
};
/**
* @virtualProp mode - Mode
*/
interface HTMLPropCmpElement extends Components.PropCmp, HTMLStencilElement {
}
var HTMLPropCmpElement: {
Expand Down Expand Up @@ -225,6 +241,11 @@ declare namespace LocalJSX {
interface CarDetail {
"car"?: CarData;
}
/**
* Component that helps display a list of cars
* @slot header - The slot for the header content.
* @part car - The shadow part to target to style the car.
*/
interface CarList {
"cars"?: CarData[];
"onCarSelected"?: (event: CarListCustomEvent<CarData>) => void;
Expand Down Expand Up @@ -257,6 +278,9 @@ declare namespace LocalJSX {
}
interface PrerenderCmp {
}
/**
* @virtualProp mode - Mode
*/
interface PropCmp {
"first"?: string;
"lastName"?: string;
Expand Down Expand Up @@ -304,6 +328,11 @@ declare module "@stencil/core" {
"app-root": LocalJSX.AppRoot & JSXBase.HTMLAttributes<HTMLAppRootElement>;
"build-data": LocalJSX.BuildData & JSXBase.HTMLAttributes<HTMLBuildDataElement>;
"car-detail": LocalJSX.CarDetail & JSXBase.HTMLAttributes<HTMLCarDetailElement>;
/**
* Component that helps display a list of cars
* @slot header - The slot for the header content.
* @part car - The shadow part to target to style the car.
*/
"car-list": LocalJSX.CarList & JSXBase.HTMLAttributes<HTMLCarListElement>;
"dom-api": LocalJSX.DomApi & JSXBase.HTMLAttributes<HTMLDomApiElement>;
"dom-interaction": LocalJSX.DomInteraction & JSXBase.HTMLAttributes<HTMLDomInteractionElement>;
Expand All @@ -316,6 +345,9 @@ declare module "@stencil/core" {
"method-cmp": LocalJSX.MethodCmp & JSXBase.HTMLAttributes<HTMLMethodCmpElement>;
"path-alias-cmp": LocalJSX.PathAliasCmp & JSXBase.HTMLAttributes<HTMLPathAliasCmpElement>;
"prerender-cmp": LocalJSX.PrerenderCmp & JSXBase.HTMLAttributes<HTMLPrerenderCmpElement>;
/**
* @virtualProp mode - Mode
*/
"prop-cmp": LocalJSX.PropCmp & JSXBase.HTMLAttributes<HTMLPropCmpElement>;
"slot-cmp": LocalJSX.SlotCmp & JSXBase.HTMLAttributes<HTMLSlotCmpElement>;
"slot-cmp-container": LocalJSX.SlotCmpContainer & JSXBase.HTMLAttributes<HTMLSlotCmpContainerElement>;
Expand Down
12 changes: 12 additions & 0 deletions test/karma/test-app/components.d.ts
Original file line number Diff line number Diff line change
Expand Up @@ -226,6 +226,9 @@ export namespace Components {
}
interface ShadowDomBasicRoot {
}
/**
* @virtualProp {string} colormode - The mode determines which platform styles to use.
*/
interface ShadowDomMode {
/**
* The mode determines which platform styles to use.
Expand Down Expand Up @@ -868,6 +871,9 @@ declare global {
prototype: HTMLShadowDomBasicRootElement;
new (): HTMLShadowDomBasicRootElement;
};
/**
* @virtualProp {string} colormode - The mode determines which platform styles to use.
*/
interface HTMLShadowDomModeElement extends Components.ShadowDomMode, HTMLStencilElement {
}
var HTMLShadowDomModeElement: {
Expand Down Expand Up @@ -1490,6 +1496,9 @@ declare namespace LocalJSX {
}
interface ShadowDomBasicRoot {
}
/**
* @virtualProp {string} colormode - The mode determines which platform styles to use.
*/
interface ShadowDomMode {
/**
* The mode determines which platform styles to use.
Expand Down Expand Up @@ -1813,6 +1822,9 @@ declare module "@stencil/core" {
"shadow-dom-array-root": LocalJSX.ShadowDomArrayRoot & JSXBase.HTMLAttributes<HTMLShadowDomArrayRootElement>;
"shadow-dom-basic": LocalJSX.ShadowDomBasic & JSXBase.HTMLAttributes<HTMLShadowDomBasicElement>;
"shadow-dom-basic-root": LocalJSX.ShadowDomBasicRoot & JSXBase.HTMLAttributes<HTMLShadowDomBasicRootElement>;
/**
* @virtualProp {string} colormode - The mode determines which platform styles to use.
*/
"shadow-dom-mode": LocalJSX.ShadowDomMode & JSXBase.HTMLAttributes<HTMLShadowDomModeElement>;
"shadow-dom-mode-root": LocalJSX.ShadowDomModeRoot & JSXBase.HTMLAttributes<HTMLShadowDomModeRootElement>;
"shadow-dom-slot-basic": LocalJSX.ShadowDomSlotBasic & JSXBase.HTMLAttributes<HTMLShadowDomSlotBasicElement>;
Expand Down