vue3: refactory and code improvement

This commit is contained in:
chakir qatab 2023-01-10 20:43:41 +04:00
parent 4289bd8798
commit 3730f4b1f7
3 changed files with 122 additions and 129 deletions

View File

@ -7,10 +7,10 @@ expect.addSnapshotSerializer({
test: (val: unknown) => typeof val === 'string', test: (val: unknown) => typeof val === 'string',
}); });
function generateForArgs(args: Args, slotProps: string[] | null = null) { function generateForArgs(args: Args, slotProps: string[] | undefined = undefined) {
return generateSource({ name: 'Component' }, args, {}, slotProps, true); return generateSource({ name: 'Component' }, args, {}, slotProps, true);
} }
function generateMultiComponentForArgs(args: Args, slotProps: string[] | null = null) { function generateMultiComponentForArgs(args: Args, slotProps: string[] | undefined = undefined) {
return generateSource([{ name: 'Component' }, { name: 'Component' }], args, {}, slotProps, true); return generateSource([{ name: 'Component' }, { name: 'Component' }], args, {}, slotProps, true);
} }
@ -26,9 +26,7 @@ describe('generateSource Vue3', () => {
); );
}); });
test('null property', () => { test('null property', () => {
expect(generateForArgs({ nullProp: null })).toMatchInlineSnapshot( expect(generateForArgs({ nullProp: null })).toMatchInlineSnapshot(`<Component />`);
`<Component :nullProp='nullProp'/>`
);
}); });
test('string property', () => { test('string property', () => {
expect(generateForArgs({ stringProp: 'mystr' })).toMatchInlineSnapshot( expect(generateForArgs({ stringProp: 'mystr' })).toMatchInlineSnapshot(
@ -41,16 +39,14 @@ describe('generateSource Vue3', () => {
); );
}); });
test('object property', () => { test('object property', () => {
expect(generateForArgs({ objProp: { x: true } })).toMatchInlineSnapshot( expect(generateForArgs({ objProp: { x: true } })).toMatchInlineSnapshot(`<Component />`);
`<Component :objProp='objProp'/>`
);
}); });
test('multiple properties', () => { test('multiple properties', () => {
expect(generateForArgs({ a: 1, b: 2 })).toMatchInlineSnapshot(`<Component :a='a' :b='b'/>`); expect(generateForArgs({ a: 1, b: 2 })).toMatchInlineSnapshot(`<Component :a='a' :b='b'/>`);
}); });
test('1 slot property', () => { test('1 slot property', () => {
expect(generateForArgs({ content: 'xyz', myProp: 'abc' }, ['content'])).toMatchInlineSnapshot(` expect(generateForArgs({ content: 'xyz', myProp: 'abc' }, ['content'])).toMatchInlineSnapshot(`
<Component :myProp='myProp'> <Component :content='content' :myProp='myProp'>
{{ content }} {{ content }}
</Component> </Component>
`); `);
@ -58,27 +54,34 @@ describe('generateSource Vue3', () => {
test('multiple slot property with second slot value not set', () => { test('multiple slot property with second slot value not set', () => {
expect(generateForArgs({ content: 'xyz', myProp: 'abc' }, ['content', 'footer'])) expect(generateForArgs({ content: 'xyz', myProp: 'abc' }, ['content', 'footer']))
.toMatchInlineSnapshot(` .toMatchInlineSnapshot(`
<Component :myProp='myProp'> <Component :content='content' :myProp='myProp'>
<template #content> {{ content }} </template> <template #content>
{{ content }}
</template>
</Component> </Component>
`); `);
}); });
test('multiple slot property with second slot value is set', () => { test('multiple slot property with second slot value is set', () => {
expect(generateForArgs({ content: 'xyz', footer: 'foo', myProp: 'abc' }, ['content', 'footer'])) expect(generateForArgs({ content: 'xyz', footer: 'foo', myProp: 'abc' }, ['content', 'footer']))
.toMatchInlineSnapshot(` .toMatchInlineSnapshot(`
<Component :myProp='myProp'> <Component :content='content' :footer='footer' :myProp='myProp'>
<template #content> {{ content }} </template> <template #content>
<template #footer> {{ footer }} </template> {{ content }}
</template>
<template #footer>
{{ footer }}
</template>
</Component> </Component>
`); `);
}); });
// test mutil components // test mutil components
test('mutil component with boolean true', () => { test('multi component with boolean true', () => {
expect(generateMultiComponentForArgs({ booleanProp: true })).toMatchInlineSnapshot( expect(generateMultiComponentForArgs({ booleanProp: true })).toMatchInlineSnapshot(`
`<Component :booleanProp='booleanProp'/><Component :booleanProp='booleanProp'/>` <Component :booleanProp='booleanProp'/>
); <Component :booleanProp='booleanProp'/>
`);
}); });
test('component is not set', () => { test('component is not set', () => {
expect(generateSource(null, {}, {}, null)).toBeNull(); expect(generateSource(null, {}, {})).toBeNull();
}); });
}); });

View File

@ -5,7 +5,7 @@ import type { ArgTypes, Args, StoryContext, Renderer } from '@storybook/types';
import { SourceType, SNIPPET_RENDERED } from '@storybook/docs-tools'; import { SourceType, SNIPPET_RENDERED } from '@storybook/docs-tools';
import { format } from 'prettier'; import { format } from 'prettier';
import parserTypescript from 'prettier/parser-typescript.js'; import parserTypescript from 'prettier/parser-typescript';
import parserHTML from 'prettier/parser-html.js'; import parserHTML from 'prettier/parser-html.js';
// eslint-disable-next-line import/no-extraneous-dependencies // eslint-disable-next-line import/no-extraneous-dependencies
import { isArray } from '@vue/shared'; import { isArray } from '@vue/shared';
@ -33,8 +33,11 @@ const skipSourceRender = (context: StoryContext<Renderer>) => {
* *
* @param component Component * @param component Component
*/ */
function getComponentName(component: any): string | null { function getComponentNameAndChildren(component: any): { name: string | null; children: any } {
return component?.name || component?.__name || component?.__docgenInfo?.__name || null; return {
name: component?.name || component?.__name || component?.__docgenInfo?.__name || null,
children: component?.children || null,
};
} }
/** /**
* Transform args to props string * Transform args to props string
@ -45,11 +48,11 @@ function getComponentName(component: any): string | null {
function argsToSource( function argsToSource(
args: Args, args: Args,
argTypes: ArgTypes, argTypes: ArgTypes,
slotProps?: string[] | null, slotProps?: string[],
byRef?: boolean byRef?: boolean
): string { ): string {
const argsKeys = Object.keys(args).filter( const argsKeys = Object.keys(args).filter(
(key: any) => !(slotProps && slotProps.indexOf(key) > -1) (key: any) => !isArray(args[key]) && typeof args[key] !== 'object' && !slotProps?.includes(key)
); );
const source = argsKeys const source = argsKeys
.map((key) => .map((key) =>
@ -63,9 +66,9 @@ function argsToSource(
function propToDynamicSource( function propToDynamicSource(
key: string, key: string,
value: string | boolean | object, value: any,
argTypes: ArgTypes, argTypes: ArgTypes,
slotProps?: string[] | null slotProps?: string[]
): string { ): string {
// slot Args or default value // slot Args or default value
// default value ? // default value ?
@ -91,82 +94,51 @@ function propToDynamicSource(
return `:${key}='${JSON.stringify(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"`);
function generateSetupScript(args: any, argTypes: ArgTypes): string { return `<script setup>${scriptLines.join('\n')}</script>`;
const argsKeys = args ? Object.keys(args) : [];
let scriptBody = '';
// eslint-disable-next-line no-restricted-syntax
for (const key of argsKeys) {
if (!(argTypes[key] && argTypes[key].defaultValue === args[key]))
if (typeof args[key] !== 'function')
scriptBody += `\n const ${key} = ref(${propValueToSource(args[key])})`;
else scriptBody += `\n const ${key} = ()=>{}`;
} }
return `<script lang="ts" setup>${scriptBody}\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(
function propValueToSource(val: string | boolean | object | undefined) { ({ attrs: attributes = [], name: Name = '', children: Children = [] }) => {
const type = typeof val; return {
switch (type) { name: Name,
case 'boolean': attrs: attributes?.filter((el: any) => el.name !== 'v-bind'),
return val; children: Children,
case 'object': };
return `${JSON.stringify(val as object)}`;
case 'undefined':
return `${val}`;
default:
return `'${val}'`;
}
}
function getTemplates(renderFunc: any): [] {
const ast = parserHTML.parsers.vue.parse(
renderFunc.toString(),
{ vue: parserHTML.parsers.vue },
{
locStart(node: any): number {
throw new Error('Function not implemented.');
},
locEnd(node: any): number {
throw new Error('Function not implemented.');
},
originalText: '',
semi: false,
singleQuote: false,
jsxSingleQuote: false,
trailingComma: 'none',
bracketSpacing: false,
bracketSameLine: false,
jsxBracketSameLine: false,
rangeStart: 0,
rangeEnd: 0,
parser: 'vue',
filepath: '',
requirePragma: false,
insertPragma: false,
proseWrap: 'always',
arrowParens: 'always',
plugins: [],
pluginSearchDirs: false,
htmlWhitespaceSensitivity: 'css',
endOfLine: 'auto',
quoteProps: 'preserve',
vueIndentScriptAndStyle: false,
embeddedLanguageFormatting: 'auto',
singleAttributePerLine: false,
printWidth: 0,
tabWidth: 0,
useTabs: false,
} }
); );
let components = ast.children?.filter((element: any) => element.name);
components = components.map((element: any) => {
const { attrs: att = [] } = element;
const att3 = att?.filter((el: any) => el.name !== 'v-bind'); // as Array<any>).push(props);
return { name: element.name, attrs: att3 };
});
return components; return components;
} catch (e) {
console.error(e);
}
return [];
} }
/** /**
@ -181,61 +153,79 @@ export function generateSource(
compOrComps: any, compOrComps: any,
args: Args, args: Args,
argTypes: ArgTypes, argTypes: ArgTypes,
slotProps?: string[] | null, slotProps?: string[],
byRef?: boolean | undefined byRef?: boolean | undefined
): string | null { ): string | null {
if (!compOrComps) return null; if (!compOrComps) return null;
const generateComponentSource = (component: any): string | null => { const generateComponentSource = (component: any): string | null => {
const name = getComponentName(component); const { name, children } = getComponentNameAndChildren(component);
if (!name) { if (!name) {
return ''; return '';
} }
const props = argsToSource(args, argTypes, slotProps, byRef); const props = argsToSource(args, argTypes, slotProps, byRef);
const slotValues = slotProps?.map((slotProp) => args[slotProp]); const slotArgs = Object.fromEntries(
Object.entries(args).filter(([key, value]) => slotProps && slotProps.indexOf(key) > -1)
);
if (slotValues) { if (slotArgs && Object.keys(slotArgs).length > 0) {
const namedSlotContents = createNamedSlots(slotProps, slotValues, byRef); const namedSlotContents = createNamedSlots(slotProps, slotArgs, byRef);
return `<${name} ${props}>\n${namedSlotContents}\n</${name}>`; 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,
slotProps,
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}/>`; return `<${name} ${props}/>`;
}; };
// handle one component or multiple // get one component or multiple
const components = isArray(compOrComps) ? compOrComps : [compOrComps]; const components = isArray(compOrComps) ? compOrComps : [compOrComps];
let source = '';
// eslint-disable-next-line no-restricted-syntax
for (const comp of components) {
source += `${generateComponentSource(comp)}`;
}
const source = Object.keys(components)
.map((key: any) => `${generateComponentSource(components[key])}`)
.join(`\n`);
return source; return source;
} }
/** /**
* create Named Slots content in source * create Named Slots content in source
* @param slotProps * @param slotProps
* @param slotValues * @param slotArgs
*/ */
function createNamedSlots( function createNamedSlots(
slotProps: string[] | null | undefined, slotProps: string[] | null | undefined,
slotValues: { [key: string]: any }, slotArgs: Args,
byReference?: boolean | undefined byRef?: boolean | undefined
) { ) {
if (!slotProps) return ''; if (!slotProps) return '';
if (slotProps.length === 1) return !byReference ? slotValues[0] : `{{ ${slotProps[0]} }}`; if (slotProps.length === 1) return !byRef ? slotArgs[slotProps[0]] : `{{ ${slotProps[0]} }}`;
return slotProps return Object.entries(slotArgs)
.filter((slotProp) => slotValues[slotProps.indexOf(slotProp)]) .map(([key, value]) => {
.map( return ` <template #${key}>
(slotProp) => ${!byRef ? JSON.stringify(value) : `{{ ${key} }}`}
` <template #${slotProp}> ${ </template>`;
!byReference })
? JSON.stringify(slotValues[slotProps.indexOf(slotProp)])
: `{{ ${slotProp} }}`
} </template>`
)
.join('\n'); .join('\n');
} }
/** /**
@ -295,8 +285,8 @@ export const sourceDecorator = (storyFn: any, context: StoryContext<Renderer>) =
const storyComponent = components.length ? components : ctxtComponent; const storyComponent = components.length ? components : ctxtComponent;
const slotProps: string[] = getComponentSlots(ctxtComponent); const slotProps: string[] = getComponentSlots(ctxtComponent);
const withScript = context?.parameters?.docs?.source?.withSetupScript; const withScript = context?.parameters?.docs?.source?.withScriptSetup || false;
const generatedScript = withScript ? generateSetupScript(args, argTypes) : ''; const generatedScript = withScript ? generateScriptSetup(args, argTypes, components) : '';
const generatedTemplate = generateSource(storyComponent, args, argTypes, slotProps, withScript); const generatedTemplate = generateSource(storyComponent, args, argTypes, slotProps, withScript);
if (generatedTemplate) { if (generatedTemplate) {

View File

@ -11,7 +11,7 @@ export const render: ArgsStoryFn<VueRenderer> = (props, context) => {
`Unable to render story ${id} as the component annotation is missing from the default export` `Unable to render story ${id} as the component annotation is missing from the default export`
); );
} }
console.log(' render ', context, ' props', props);
return h(Component, props); return h(Component, props);
}; };