Merge pull request #20498 from chakAs3/vue3-sourceDecorator

Vue3:(feat) add source decorator vue template and setup script + supports of multi slots
This commit is contained in:
Norbert de Langen 2023-01-16 10:36:56 +01:00 committed by GitHub
commit bda4b80ad5
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
9 changed files with 455 additions and 17 deletions

View File

@ -58,6 +58,7 @@
},
"devDependencies": {
"@digitak/esrun": "^3.2.2",
"@types/prettier": "2.7.2",
"@vue/vue3-jest": "29",
"typescript": "~4.9.3",
"vue": "^3.2.45",

View File

@ -1,7 +1,7 @@
import { parameters as docsParams } from './docs/config';
export const parameters = { framework: 'vue3' as const, ...docsParams };
export { argTypesEnhancers } from './docs/config';
export { decorators, argTypesEnhancers } from './docs/config';
export { render, renderToCanvas } from './render';
export { decorateStory as applyDecorators } from './decorateStory';

View File

@ -1,5 +1,6 @@
import { extractComponentDescription, enhanceArgTypes } from '@storybook/docs-tools';
import { extractArgTypes } from './extractArgTypes';
import { sourceDecorator } from './sourceDecorator';
export const parameters = {
docs: {
@ -9,4 +10,6 @@ export const parameters = {
},
};
export const decorators = [sourceDecorator];
export const argTypesEnhancers = [enhanceArgTypes];

View File

@ -0,0 +1,95 @@
import { describe, expect, test } from '@jest/globals';
import type { Args } from '@storybook/types';
import { generateSource } from './sourceDecorator';
expect.addSnapshotSerializer({
print: (val: any) => val,
test: (val: unknown) => typeof val === 'string',
});
function generateArgTypes(args: Args, slotProps: string[] | undefined) {
return Object.keys(args).reduce((acc, prop) => {
acc[prop] = { table: { category: slotProps?.includes(prop) ? 'slots' : 'props' } };
return acc;
}, {} as Record<string, any>);
}
function generateForArgs(args: Args, slotProps: string[] | undefined = undefined) {
return generateSource({ name: 'Component' }, args, generateArgTypes(args, slotProps), true);
}
function generateMultiComponentForArgs(args: Args, slotProps: string[] | undefined = undefined) {
return generateSource(
[{ name: 'Component' }, { name: 'Component' }],
args,
generateArgTypes(args, slotProps),
true
);
}
describe('generateSource Vue3', () => {
test('boolean true', () => {
expect(generateForArgs({ booleanProp: true })).toMatchInlineSnapshot(
`<Component :boolean-prop='booleanProp'/>`
);
});
test('boolean false', () => {
expect(generateForArgs({ booleanProp: false })).toMatchInlineSnapshot(
`<Component :boolean-prop='booleanProp'/>`
);
});
test('null property', () => {
expect(generateForArgs({ nullProp: null })).toMatchInlineSnapshot(
`<Component :null-prop='nullProp'/>`
);
});
test('string property', () => {
expect(generateForArgs({ stringProp: 'mystr' })).toMatchInlineSnapshot(
`<Component :string-prop='stringProp'/>`
);
});
test('number property', () => {
expect(generateForArgs({ numberProp: 42 })).toMatchInlineSnapshot(
`<Component :number-prop='numberProp'/>`
);
});
test('object property', () => {
expect(generateForArgs({ objProp: { x: true } })).toMatchInlineSnapshot(
`<Component :obj-prop='objProp'/>`
);
});
test('multiple properties', () => {
expect(generateForArgs({ a: 1, b: 2 })).toMatchInlineSnapshot(`<Component :a='a' :b='b'/>`);
});
test('1 slot property', () => {
expect(generateForArgs({ content: 'xyz', myProp: 'abc' }, ['content'])).toMatchInlineSnapshot(`
<Component :my-prop='myProp'>
{{ content }}
</Component>
`);
});
test('multiple slot property with second slot value not set', () => {
expect(generateForArgs({ content: 'xyz', myProp: 'abc' }, ['content', 'footer']))
.toMatchInlineSnapshot(`
<Component :my-prop='myProp'>
{{ content }}
</Component>
`);
});
test('multiple slot property with second slot value is set', () => {
expect(generateForArgs({ content: 'xyz', footer: 'foo', myProp: 'abc' }, ['content', 'footer']))
.toMatchInlineSnapshot(`
<Component :my-prop='myProp'>
<template #content>{{ content }}</template>
<template #footer>{{ footer }}</template>
</Component>
`);
});
// test mutil components
test('multi component with boolean true', () => {
expect(generateMultiComponentForArgs({ booleanProp: true })).toMatchInlineSnapshot(`
<Component :boolean-prop='booleanProp'/>
<Component :boolean-prop='booleanProp'/>
`);
});
test('component is not set', () => {
expect(generateSource(null, {}, {})).toBeNull();
});
});

View File

@ -0,0 +1,314 @@
/* eslint-disable no-underscore-dangle */
import { addons, useEffect } from '@storybook/preview-api';
import type { ArgTypes, Args, StoryContext, Renderer } from '@storybook/types';
import { SourceType, SNIPPET_RENDERED } from '@storybook/docs-tools';
// eslint-disable-next-line import/no-extraneous-dependencies
import parserHTML from 'prettier/parser-html';
// eslint-disable-next-line import/no-extraneous-dependencies
import { isArray } from '@vue/shared';
type ArgEntries = [string, any][];
type Attribute = {
name: string;
value: string;
sourceSpan?: any;
valueSpan?: any;
} & Record<string, any>;
/**
* Check if the sourcecode should be generated.
*
* @param context StoryContext
*/
const skipSourceRender = (context: StoryContext<Renderer>) => {
const sourceParams = context?.parameters.docs?.source;
const isArgsStory = context?.parameters.__isArgsStory;
// always render if the user forces it
if (sourceParams?.type === SourceType.DYNAMIC) {
return false;
}
// never render if the user is forcing the block to render code, or
// if the user provides code, or if it's not an args story.
return !isArgsStory || sourceParams?.code || sourceParams?.type === SourceType.CODE;
};
/**
* Extract a component name.
*
* @param component Component
*/
function getComponentNameAndChildren(component: any): {
name: string | null;
children: any;
attributes: any;
} {
return {
name: component?.name || component?.__name || component?.__docgenInfo?.__name || null,
children: component?.children || null,
attributes: component?.attributes || component?.attrs || null,
};
}
/**
*
* @param _args
* @param argTypes
* @param byRef
*/
function generateAttributesSource(_args: Args, argTypes: ArgTypes, byRef?: boolean): string {
// create a copy of the args object to avoid modifying the original
const args = { ..._args };
// filter out keys that are children or slots, and convert event keys to the proper format
const argsKeys = Object.keys(args)
.filter(
(key: any) =>
['children', 'slots'].indexOf(argTypes[key]?.table?.category) === -1 || !argTypes[key] // remove slots and children
)
.map((key) => {
const akey =
argTypes[key]?.table?.category !== 'events' // is event
? key
.replace(/([A-Z])/g, '-$1')
.replace(/^on-/, 'v-on:')
.replace(/^:/, '')
.toLowerCase()
: `v-on:${key}`;
args[akey] = args[key];
return akey;
})
.filter((key, index, self) => self.indexOf(key) === index); // remove duplicated keys
const camelCase = (str: string) => str.replace(/-([a-z])/g, (g) => g[1].toUpperCase());
const source = argsKeys
.map((key) =>
generateAttributeSource(
byRef && !key.includes(':') ? `:${key}` : key,
byRef && !key.includes(':') ? camelCase(key) : args[key],
argTypes[key]
)
)
.join(' ');
return source;
}
function generateAttributeSource(
key: string,
value: Args[keyof Args],
argType: ArgTypes[keyof ArgTypes]
): string {
if (!value) {
return '';
}
if (value === true) {
return key;
}
if (key.startsWith('v-on:')) {
return `${key}='() => {}'`;
}
if (typeof value === 'string') {
return `${key}='${value}'`;
}
return `:${key}='${JSON.stringify(value)}'`;
}
/**
*
* @param args generate script setup from args
* @param argTypes
*/
function generateScriptSetup(args: Args, argTypes: ArgTypes, components: any[]): string {
const scriptLines = Object.keys(args).map(
(key: any) =>
`const ${key} = ${
typeof args[key] === 'function' ? `()=>{}` : `ref(${JSON.stringify(args[key])});`
}`
);
scriptLines.unshift(`import { ref } from "vue";`);
return `<script lang='ts' setup>${scriptLines.join('\n')}</script>`;
}
/**
* get component templates one or more
* @param renderFn
*/
function getTemplates(renderFn: any): [] {
try {
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore
const ast = parserHTML.parsers.vue.parse(renderFn.toString());
let components = ast.children?.filter(
({ name: _name = '', type: _type = '' }) =>
_name && !['template', 'script', 'style', 'slot'].includes(_name) && _type === 'element'
);
if (!isArray(components)) {
return [];
}
components = components.map(
({ attrs: attributes = [], name: Name = '', children: Children = [] }) => {
return {
name: Name,
attrs: attributes,
children: Children,
};
}
);
return components;
} catch (e) {
console.error(e);
}
return [];
}
/**
* Generate a vue3 template.
*
* @param component Component
* @param args Args
* @param argTypes ArgTypes
* @param slotProp Prop used to simulate a slot
*/
export function generateSource(
compOrComps: any,
args: Args,
argTypes: ArgTypes,
byRef?: boolean | undefined
): string | null {
if (!compOrComps) return null;
const generateComponentSource = (component: any): string | null => {
const { name, children, attributes } = getComponentNameAndChildren(component);
if (!name) {
return '';
}
const argsIn = attributes ? getArgsInAttrs(args, attributes) : args; // keep only args that are in attributes
const props = generateAttributesSource(argsIn, argTypes, byRef);
const slotArgs = Object.entries(argsIn).filter(
([arg]) => argTypes[arg]?.table?.category === 'slots'
);
const slotProps = Object.entries(argTypes).filter(
([arg]) => argTypes[arg]?.table?.category === 'slots'
);
if (slotArgs && slotArgs.length > 0) {
const namedSlotContents = createNamedSlots(slotArgs, slotProps, byRef);
return `<${name} ${props}>\n${namedSlotContents}\n</${name}>`;
}
if (children && children.length > 0) {
const childrenSource = children.map((child: any) => {
return generateSource(
typeof child.value === 'string' ? getTemplates(child.value) : child.value,
args,
argTypes,
byRef
);
});
if (childrenSource.join('').trim() === '') return `<${name} ${props}/>`;
const isNativeTag =
name.includes('template') ||
name.match(/^[a-z]/) ||
(name === 'Fragment' && !name.includes('-'));
return `<${name} ${isNativeTag ? '' : props}>\n${childrenSource}\n</${name}>`;
}
return `<${name} ${props}/>`;
};
// get one component or multiple
const components = isArray(compOrComps) ? compOrComps : [compOrComps];
const source = Object.keys(components)
.map((key: any) => `${generateComponentSource(components[key])}`)
.join(`\n`);
return source;
}
/**
* create Named Slots content in source
* @param slotProps
* @param slotArgs
*/
function createNamedSlots(slotArgs: ArgEntries, slotProps: ArgEntries, byRef?: boolean) {
if (!slotArgs) return '';
const many = slotProps.length > 1;
return slotArgs
.map(([key, value]) => {
const content = !byRef ? JSON.stringify(value) : `{{ ${key} }}`;
return many ? ` <template #${key}>${content}</template>` : ` ${content}`;
})
.join('\n');
}
function getArgsInAttrs(args: Args, attributes: Attribute[]) {
return Object.keys(args).reduce((acc, prop) => {
if (attributes?.find((attr: any) => attr.name === 'v-bind')) {
acc[prop] = args[prop];
}
const attribute = attributes?.find(
(attr: any) => attr.name === prop || attr.name === `:${prop}`
);
if (attribute) {
acc[prop] = attribute.name === `:${prop}` ? args[prop] : attribute.value;
}
if (Object.keys(acc).length === 0) {
attributes?.forEach((attr: any) => {
acc[attr.name] = JSON.parse(JSON.stringify(attr.value));
});
}
return acc;
}, {} as Record<string, any>);
}
/**
* format prettier for vue
* @param source
*/
/**
* source decorator.
* @param storyFn Fn
* @param context StoryContext
*/
export const sourceDecorator = (storyFn: any, context: StoryContext<Renderer>) => {
const channel = addons.getChannel();
const skip = skipSourceRender(context);
const story = storyFn();
let source: string;
useEffect(() => {
if (!skip && source) {
channel.emit(SNIPPET_RENDERED, (context || {}).id, source, 'vue');
}
});
if (skip) {
return story;
}
const { args = {}, component: ctxtComponent, argTypes = {} } = context || {};
const components = getTemplates(context?.originalStoryFn);
const storyComponent = components.length ? components : ctxtComponent;
const withScript = context?.parameters?.docs?.source?.withScriptSetup || false;
const generatedScript = withScript ? generateScriptSetup(args, argTypes, components) : '';
const generatedTemplate = generateSource(storyComponent, args, argTypes, withScript);
if (generatedTemplate) {
source = `${generatedScript}\n <template>\n ${generatedTemplate} \n</template>`;
}
return story;
};

View File

@ -5,14 +5,26 @@
<script lang="ts" setup>
import "./buttons.css"
import { computed } from 'vue';
type Props = {
label: string,
primary?: boolean,
size?: 'small' | 'medium' | 'large',
backgroundColor?: string,
}
const props = withDefaults(defineProps<Props>(), { primary: false });
const props = withDefaults(defineProps<{
/**
* The label of the button
*/
label: string,
/**
* primary or secondary button
*/
primary?: boolean,
/**
* size of the button
*/
size?: 'small' | 'medium' | 'large',
/**
* background color of the button
*/
backgroundColor?: string,
}>(), { primary: false });
const emit = defineEmits<{
(e: 'click', id: number): void;

View File

@ -5,14 +5,26 @@
<script lang="ts" setup>
import './button.css';
import { computed } from 'vue';
type Props = {
label: string,
primary?: boolean,
size?: 'small' | 'medium' | 'large',
backgroundColor?: string,
}
const props = withDefaults(defineProps<Props>(), { primary: false });
const props = withDefaults(defineProps<{
/**
* The label of the button
*/
label: string,
/**
* primary or secondary button
*/
primary?: boolean,
/**
* size of the button
*/
size?: 'small' | 'medium' | 'large',
/**
* background color of the button
*/
backgroundColor?: string,
}>(), { primary: false });
const emit = defineEmits<{
(e: 'click', id: number): void;

View File

@ -7796,6 +7796,7 @@ __metadata:
"@storybook/global": ^5.0.0
"@storybook/preview-api": 7.0.0-beta.28
"@storybook/types": 7.0.0-beta.28
"@types/prettier": 2.7.2
"@vue/vue3-jest": 29
ts-dedent: ^2.0.0
type-fest: 2.19.0
@ -8721,7 +8722,7 @@ __metadata:
languageName: node
linkType: hard
"@types/prettier@npm:^2.1.5":
"@types/prettier@npm:2.7.2, @types/prettier@npm:^2.1.5":
version: 2.7.2
resolution: "@types/prettier@npm:2.7.2"
checksum: 16ffbd1135c10027f118517d3b12aaaf3936be1f3c6e4c6c9c03d26d82077c2d86bf0dcad545417896f29e7d90faf058aae5c9db2e868be64298c644492ea29e

View File

@ -74,7 +74,7 @@ const run = async ({ cwd, flags }: { cwd: string; flags: string[] }) => {
);
}
if(!watch) {
if (!watch) {
console.log('done');
}
};