From 9647bf2d23f159dd02f326f8a9690528404cd375 Mon Sep 17 00:00:00 2001 From: Ian VanSchooten Date: Fri, 26 Aug 2022 00:18:40 -0400 Subject: [PATCH 1/8] Vite: use vite.config.js as config base --- code/lib/builder-vite/src/build.ts | 25 ++---- code/lib/builder-vite/src/envs.ts | 3 - code/lib/builder-vite/src/optimizeDeps.ts | 11 ++- code/lib/builder-vite/src/vite-config.ts | 96 ++++++++++++++--------- code/lib/builder-vite/src/vite-server.ts | 46 +++++------ 5 files changed, 90 insertions(+), 91 deletions(-) diff --git a/code/lib/builder-vite/src/build.ts b/code/lib/builder-vite/src/build.ts index d0a36401fc7..5333c56f7b2 100644 --- a/code/lib/builder-vite/src/build.ts +++ b/code/lib/builder-vite/src/build.ts @@ -1,32 +1,19 @@ import { build as viteBuild } from 'vite'; -import { stringifyProcessEnvs } from './envs'; import { commonConfig } from './vite-config'; -import type { EnvsRaw, ExtendedOptions } from './types'; +import type { ExtendedOptions } from './types'; export async function build(options: ExtendedOptions) { const { presets } = options; - const baseConfig = await commonConfig(options, 'build'); - const config = { - ...baseConfig, - build: { - outDir: options.outputDir, - emptyOutDir: false, // do not clean before running Vite build - Storybook has already added assets in there! - sourcemap: true, - }, + const config = await commonConfig(options, 'build'); + config.build = { + outDir: options.outputDir, + emptyOutDir: false, // do not clean before running Vite build - Storybook has already added assets in there! + sourcemap: true, }; const finalConfig = await presets.apply('viteFinal', config, options); - const envsRaw = await presets.apply>('env'); - // Stringify env variables after getting `envPrefix` from the final config - const envs = stringifyProcessEnvs(envsRaw, finalConfig.envPrefix); - // Update `define` - finalConfig.define = { - ...finalConfig.define, - ...envs, - }; - await viteBuild(finalConfig); } diff --git a/code/lib/builder-vite/src/envs.ts b/code/lib/builder-vite/src/envs.ts index 10739164262..7ebead6aab4 100644 --- a/code/lib/builder-vite/src/envs.ts +++ b/code/lib/builder-vite/src/envs.ts @@ -15,9 +15,6 @@ const allowedEnvVariables = [ 'SSR', ]; -// Env variables starts with env prefix will be exposed to your client source code via `import.meta.env` -export const allowedEnvPrefix = ['VITE_', 'STORYBOOK_']; - /** * Customized version of stringifyProcessEnvs from @storybook/core-common which * uses import.meta.env instead of process.env and checks for allowed variables. diff --git a/code/lib/builder-vite/src/optimizeDeps.ts b/code/lib/builder-vite/src/optimizeDeps.ts index fbe560720ed..09df4ba81c8 100644 --- a/code/lib/builder-vite/src/optimizeDeps.ts +++ b/code/lib/builder-vite/src/optimizeDeps.ts @@ -1,5 +1,6 @@ import * as path from 'path'; -import { normalizePath, resolveConfig, UserConfig } from 'vite'; +import { normalizePath, resolveConfig } from 'vite'; +import type { InlineConfig as ViteInlineConfig } from 'vite'; import { listStories } from './list-stories'; import type { ExtendedOptions } from './types'; @@ -101,13 +102,11 @@ const INCLUDE_CANDIDATES = [ const asyncFilter = async (arr: string[], predicate: (val: string) => Promise) => Promise.all(arr.map(predicate)).then((results) => arr.filter((_v, index) => results[index])); -export async function getOptimizeDeps( - config: UserConfig & { configFile: false; root: string }, - options: ExtendedOptions -) { - const { root } = config; +export async function getOptimizeDeps(config: ViteInlineConfig, options: ExtendedOptions) { + const { root = process.cwd() } = config; const absoluteStories = await listStories(options); const stories = absoluteStories.map((storyPath) => normalizePath(path.relative(root, storyPath))); + // TODO: check if resolveConfig takes a lot of time, possible optimizations here const resolvedConfig = await resolveConfig(config, 'serve', 'development'); // This function converts ids which might include ` > ` to a real path, if it exists on disk. diff --git a/code/lib/builder-vite/src/vite-config.ts b/code/lib/builder-vite/src/vite-config.ts index 4df5b091b3f..f094e9ca0ea 100644 --- a/code/lib/builder-vite/src/vite-config.ts +++ b/code/lib/builder-vite/src/vite-config.ts @@ -1,15 +1,20 @@ import * as path from 'path'; import fs from 'fs'; -import { Plugin } from 'vite'; +import { loadConfigFromFile, mergeConfig } from 'vite'; +import type { + ConfigEnv, + InlineConfig as ViteInlineConfig, + PluginOption, + UserConfig as ViteConfig, +} from 'vite'; import viteReact from '@vitejs/plugin-react'; -import type { UserConfig } from 'vite'; import { isPreservingSymlinks } from '@storybook/core-common'; -import { allowedEnvPrefix as envPrefix } from './envs'; import { codeGeneratorPlugin } from './code-generator-plugin'; +import { stringifyProcessEnvs } from './envs'; import { injectExportOrderPlugin } from './inject-export-order-plugin'; import { mdxPlugin } from './plugins/mdx-plugin'; import { noFouc } from './plugins/no-fouc'; -import type { ExtendedOptions } from './types'; +import type { ExtendedOptions, EnvsRaw } from './types'; export type PluginConfigType = 'build' | 'development'; @@ -23,24 +28,60 @@ export function readPackageJson(): Record | false { return JSON.parse(jsonContent); } +const configEnvServe: ConfigEnv = { + mode: 'development', + command: 'serve', + ssrBuild: false, +}; + +const configEnvBuild: ConfigEnv = { + mode: 'production', + command: 'build', + ssrBuild: false, +}; + // Vite config that is common to development and production mode export async function commonConfig( options: ExtendedOptions, _type: PluginConfigType -): Promise { - return { +): Promise { + const { presets } = options; + const configEnv = _type === 'development' ? configEnvServe : configEnvBuild; + + const { config: userConfig = {} } = (await loadConfigFromFile(configEnv)) ?? {}; + + const sbConfig = { configFile: false, - root: path.resolve(options.configDir, '..'), cacheDir: 'node_modules/.vite-storybook', - envPrefix, - define: {}, + root: path.resolve(options.configDir, '..'), + plugins: await pluginConfig(options), resolve: { preserveSymlinks: isPreservingSymlinks() }, - plugins: await pluginConfig(options, _type), + // If an envPrefix is specified in the vite config, add STORYBOOK_ to it, + // otherwise, add VITE_ and STORYBOOK_ so that vite doesn't lose its default. + envPrefix: userConfig.envPrefix ? 'STORYBOOK_' : ['VITE_', 'STORYBOOK_'], }; + + const config: ViteConfig = mergeConfig(userConfig, sbConfig); + + // Sanitize environment variables if needed + const envsRaw = await presets.apply>('env'); + if (Object.keys(envsRaw).length) { + // Stringify env variables after getting `envPrefix` from the config + const envs = stringifyProcessEnvs(envsRaw, config.envPrefix); + config.define = { + ...config.define, + ...envs, + }; + } + + return config; } -export async function pluginConfig(options: ExtendedOptions, _type: PluginConfigType) { - const { framework } = options; +export async function pluginConfig(options: ExtendedOptions) { + const { presets } = options; + const framework = await presets.apply('framework', '', options); + const frameworkName: string = typeof framework === 'object' ? framework.name : framework; + const svelteOptions: Record = await presets.apply('svelteOptions', {}, options); const plugins = [ codeGeneratorPlugin(options), @@ -48,34 +89,19 @@ export async function pluginConfig(options: ExtendedOptions, _type: PluginConfig mdxPlugin(options), noFouc(), injectExportOrderPlugin, - // We need the react plugin here to support MDX. - viteReact({ - // Do not treat story files as HMR boundaries, storybook itself needs to handle them. - exclude: [/\.stories\.([tj])sx?$/, /node_modules/].concat( - framework === 'react' ? [] : [/\.([tj])sx?$/] - ), - }), - { - name: 'vite-plugin-storybook-allow', - enforce: 'post', - config(config) { - // if there is no allow list then Vite allows anything in the root directory - // if there is an allow list then Vite allows anything in the listed directories - // add the .storybook directory only if there's an allow list so that we don't end up - // disallowing the root directory unless it's already disallowed - if (config?.server?.fs?.allow) { - config.server.fs.allow.push('.storybook'); - } - }, - }, - ] as Plugin[]; + ] as PluginOption[]; - if (framework === 'preact') { + // We need the react plugin here to support MDX in non-react projects. + if (frameworkName !== '@storybook/react-vite') { + plugins.push(viteReact()); + } + + if (frameworkName === 'preact') { // eslint-disable-next-line global-require plugins.push(require('@preact/preset-vite').default()); } - if (framework === 'glimmerx') { + if (frameworkName === 'glimmerx') { // eslint-disable-next-line global-require, import/extensions const plugin = require('vite-plugin-glimmerx/index.cjs'); plugins.push(plugin.default()); diff --git a/code/lib/builder-vite/src/vite-server.ts b/code/lib/builder-vite/src/vite-server.ts index 26ecbc4d51a..a8a1b35b1d4 100644 --- a/code/lib/builder-vite/src/vite-server.ts +++ b/code/lib/builder-vite/src/vite-server.ts @@ -1,40 +1,30 @@ import type { Server } from 'http'; import { createServer } from 'vite'; -import { stringifyProcessEnvs } from './envs'; -import { getOptimizeDeps } from './optimizeDeps'; import { commonConfig } from './vite-config'; -import type { EnvsRaw, ExtendedOptions } from './types'; +import type { ExtendedOptions } from './types'; +import { getOptimizeDeps } from './optimizeDeps'; export async function createViteServer(options: ExtendedOptions, devServer: Server) { - const { port, presets } = options; + const { presets } = options; - const baseConfig = await commonConfig(options, 'development'); - const defaultConfig = { - ...baseConfig, - server: { - middlewareMode: true, - hmr: { - port, - server: devServer, - }, - fs: { - strict: true, - }, + const config = await commonConfig(options, 'development'); + + // Set up dev server + config.server = { + middlewareMode: true, + hmr: { + port: options.port, + server: devServer, + }, + fs: { + strict: true, }, - appType: 'custom' as const, - optimizeDeps: await getOptimizeDeps(baseConfig, options), }; + config.appType = 'custom'; - const finalConfig = await presets.apply('viteFinal', defaultConfig, options); - - const envsRaw = await presets.apply>('env'); - // Stringify env variables after getting `envPrefix` from the final config - const envs = stringifyProcessEnvs(envsRaw, finalConfig.envPrefix); - // Update `define` - finalConfig.define = { - ...finalConfig.define, - ...envs, - }; + // TODO: find a way to avoid having to do this in a separate step. + config.optimizeDeps = await getOptimizeDeps(config, options); + const finalConfig = await presets.apply('viteFinal', config, options); return createServer(finalConfig); } From b2f61d782656dc434c62710940fbeea2b00094f6 Mon Sep 17 00:00:00 2001 From: Ian VanSchooten Date: Fri, 26 Aug 2022 17:45:00 -0400 Subject: [PATCH 2/8] Remove hmr accept calls from story files --- .../src/plugins/strip-story-hmr-boundaries.ts | 27 +++++++++++++++++++ code/lib/builder-vite/src/vite-config.ts | 2 ++ 2 files changed, 29 insertions(+) create mode 100644 code/lib/builder-vite/src/plugins/strip-story-hmr-boundaries.ts diff --git a/code/lib/builder-vite/src/plugins/strip-story-hmr-boundaries.ts b/code/lib/builder-vite/src/plugins/strip-story-hmr-boundaries.ts new file mode 100644 index 00000000000..b0e53b484d3 --- /dev/null +++ b/code/lib/builder-vite/src/plugins/strip-story-hmr-boundaries.ts @@ -0,0 +1,27 @@ +import type { Plugin } from 'vite'; +import { createFilter } from 'vite'; +import MagicString from 'magic-string'; + +/** + * This plugin removes HMR `accept` calls in story files. Stories should not be treated + * as hmr boundaries, but vite has a bug which causes them to be treated as boundaries + * (https://github.com/vitejs/vite/issues/9869). + */ +export function stripStoryHMRBoundary(): Plugin { + const filter = createFilter(/\.stories\.([tj])sx?$/); + return { + name: 'storybook:strip-hmr-boundary', + enforce: 'post', + async transform(src: string, id: string) { + if (!filter(id)) return undefined; + + const s = new MagicString(src); + s.replace(/import\.meta\.hot\.accept\(\);/, ''); + + return { + code: s.toString(), + map: s.generateMap({ hires: true, source: id }), + }; + }, + }; +} diff --git a/code/lib/builder-vite/src/vite-config.ts b/code/lib/builder-vite/src/vite-config.ts index f094e9ca0ea..14d19a5c551 100644 --- a/code/lib/builder-vite/src/vite-config.ts +++ b/code/lib/builder-vite/src/vite-config.ts @@ -14,6 +14,7 @@ import { stringifyProcessEnvs } from './envs'; import { injectExportOrderPlugin } from './inject-export-order-plugin'; import { mdxPlugin } from './plugins/mdx-plugin'; import { noFouc } from './plugins/no-fouc'; +import { stripStoryHMRBoundary } from './plugins/strip-story-hmr-boundaries'; import type { ExtendedOptions, EnvsRaw } from './types'; export type PluginConfigType = 'build' | 'development'; @@ -89,6 +90,7 @@ export async function pluginConfig(options: ExtendedOptions) { mdxPlugin(options), noFouc(), injectExportOrderPlugin, + stripStoryHMRBoundary(), ] as PluginOption[]; // We need the react plugin here to support MDX in non-react projects. From 139bfdc90188eb9b42d5053ee8907050f37f9f82 Mon Sep 17 00:00:00 2001 From: Ian VanSchooten Date: Fri, 26 Aug 2022 17:51:41 -0400 Subject: [PATCH 3/8] Remove unused variable --- code/lib/builder-vite/src/vite-config.ts | 1 - 1 file changed, 1 deletion(-) diff --git a/code/lib/builder-vite/src/vite-config.ts b/code/lib/builder-vite/src/vite-config.ts index 14d19a5c551..bb8597e15cf 100644 --- a/code/lib/builder-vite/src/vite-config.ts +++ b/code/lib/builder-vite/src/vite-config.ts @@ -82,7 +82,6 @@ export async function pluginConfig(options: ExtendedOptions) { const { presets } = options; const framework = await presets.apply('framework', '', options); const frameworkName: string = typeof framework === 'object' ? framework.name : framework; - const svelteOptions: Record = await presets.apply('svelteOptions', {}, options); const plugins = [ codeGeneratorPlugin(options), From 5e1b062efba555613f0afa7d1a223fd4ee614a15 Mon Sep 17 00:00:00 2001 From: Ian VanSchooten Date: Fri, 26 Aug 2022 17:57:48 -0400 Subject: [PATCH 4/8] Do not add vite-plugin-svelte --- code/frameworks/svelte-vite/src/preset.ts | 45 ----------------------- 1 file changed, 45 deletions(-) diff --git a/code/frameworks/svelte-vite/src/preset.ts b/code/frameworks/svelte-vite/src/preset.ts index f71998d1f3c..8d5b16a135d 100644 --- a/code/frameworks/svelte-vite/src/preset.ts +++ b/code/frameworks/svelte-vite/src/preset.ts @@ -21,51 +21,6 @@ export function readPackageJson(): Record | false { export const viteFinal: StorybookConfig['viteFinal'] = async (config, { presets }) => { const { plugins = [] } = config; const svelteOptions = await presets.apply>('frameworkOptions'); - try { - // eslint-disable-next-line global-require - const sveltePlugin = require('@sveltejs/vite-plugin-svelte').svelte; - - // We need to create two separate svelte plugins, one for stories, and one for other svelte files - // because stories.svelte files cannot be hot-module-reloaded. - // Suggested in: https://github.com/sveltejs/vite-plugin-svelte/issues/321#issuecomment-1113205509 - - // First, create an array containing user exclude patterns, to combine with ours. - - let userExclude = []; - if (Array.isArray(svelteOptions?.exclude)) { - userExclude = svelteOptions?.exclude; - } else if (svelteOptions?.exclude) { - userExclude = [svelteOptions?.exclude]; - } - - // These are the svelte stories we need to exclude from HMR - const storyPatterns = ['**/*.story.svelte', '**/*.stories.svelte']; - // Non-story svelte files - // Starting in 1.0.0-next.42, svelte.config.js is included by default. - // We disable that, but allow it to be overridden in svelteOptions - plugins.push(sveltePlugin({ ...svelteOptions, exclude: [...userExclude, ...storyPatterns] })); - // Svelte stories without HMR - const storySveltePlugin = sveltePlugin({ - ...svelteOptions, - exclude: userExclude, - include: storyPatterns, - hot: false, - }); - plugins.push({ - // Starting in 1.0.0-next.43, the plugin function returns an array of plugins. We only want the first one here. - ...(Array.isArray(storySveltePlugin) ? storySveltePlugin[0] : storySveltePlugin), - name: 'vite-plugin-svelte-stories', - }); - } catch (err) { - if ((err as NodeJS.ErrnoException).code === 'MODULE_NOT_FOUND') { - throw new Error( - '@storybook/builder-vite requires @sveltejs/vite-plugin-svelte to be installed' + - ' when using @storybook/svelte.' + - ' Please install it and start storybook again.' - ); - } - throw err; - } // eslint-disable-next-line global-require const { loadSvelteConfig } = require('@sveltejs/vite-plugin-svelte'); From 46fe3ea3fb96b38aa1591d89d4799cd915d8aa9d Mon Sep 17 00:00:00 2001 From: Ian VanSchooten Date: Fri, 26 Aug 2022 22:48:09 -0400 Subject: [PATCH 5/8] Remove duplicate vue and svelte plugins It's expected that the original vite.config.js should have one, and we're using that now. --- code/frameworks/svelte-vite/src/preset.ts | 19 +------------------ code/frameworks/vue3-vite/src/preset.ts | 18 ++---------------- 2 files changed, 3 insertions(+), 34 deletions(-) diff --git a/code/frameworks/svelte-vite/src/preset.ts b/code/frameworks/svelte-vite/src/preset.ts index 8d5b16a135d..8006514d2fd 100644 --- a/code/frameworks/svelte-vite/src/preset.ts +++ b/code/frameworks/svelte-vite/src/preset.ts @@ -1,6 +1,7 @@ import path from 'path'; import fs from 'fs'; import type { StorybookConfig } from '@storybook/builder-vite'; +import { svelteDocgen } from './plugins/svelte-docgen'; export const addons: StorybookConfig['addons'] = ['@storybook/svelte']; @@ -20,25 +21,7 @@ export function readPackageJson(): Record | false { export const viteFinal: StorybookConfig['viteFinal'] = async (config, { presets }) => { const { plugins = [] } = config; - const svelteOptions = await presets.apply>('frameworkOptions'); - // eslint-disable-next-line global-require - const { loadSvelteConfig } = require('@sveltejs/vite-plugin-svelte'); - const csfConfig = { ...loadSvelteConfig(), ...svelteOptions }; - - try { - // eslint-disable-next-line global-require - const csfPlugin = require('./plugins/csf-plugin').default; - plugins.push(csfPlugin(csfConfig)); - } catch (err) { - // Not all projects use `.stories.svelte` for stories, and by default 6.5+ does not auto-install @storybook/addon-svelte-csf. - // If it's any other kind of error, re-throw. - if ((err as NodeJS.ErrnoException).code !== 'MODULE_NOT_FOUND') { - throw err; - } - } - - const { svelteDocgen } = await import('./plugins/svelte-docgen'); plugins.push(svelteDocgen(config)); return { diff --git a/code/frameworks/vue3-vite/src/preset.ts b/code/frameworks/vue3-vite/src/preset.ts index 61f7d277e64..3f35bed8b1c 100644 --- a/code/frameworks/vue3-vite/src/preset.ts +++ b/code/frameworks/vue3-vite/src/preset.ts @@ -1,6 +1,7 @@ import path from 'path'; import fs from 'fs'; import type { StorybookConfig } from '@storybook/builder-vite'; +import { vueDocgen } from './plugins/vue-docgen'; export const addons: StorybookConfig['addons'] = ['@storybook/vue3']; @@ -21,22 +22,7 @@ export function readPackageJson(): Record | false { export const viteFinal: StorybookConfig['viteFinal'] = async (config, { presets }) => { const { plugins = [] } = config; - try { - // eslint-disable-next-line global-require - const vuePlugin = require('@vitejs/plugin-vue'); - plugins.push(vuePlugin()); - const { vueDocgen } = await import('./plugins/vue-docgen'); - plugins.push(vueDocgen()); - } catch (err) { - if ((err as NodeJS.ErrnoException).code === 'MODULE_NOT_FOUND') { - throw new Error( - '@storybook/builder-vite requires @vitejs/plugin-vue to be installed ' + - 'when using @storybook/vue or @storybook/vue3.' + - ' Please install it and start storybook again.' - ); - } - throw err; - } + plugins.push(vueDocgen()); const updated = { ...config, From e22594637793a70d27b811c07a9134865f844bc8 Mon Sep 17 00:00:00 2001 From: Ian VanSchooten Date: Fri, 26 Aug 2022 22:48:53 -0400 Subject: [PATCH 6/8] Add excludes for non-react framework react plugin We just need it for processing mdx, it doesn't need to hmr anything. --- code/lib/builder-vite/src/vite-config.ts | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/code/lib/builder-vite/src/vite-config.ts b/code/lib/builder-vite/src/vite-config.ts index bb8597e15cf..abb21757702 100644 --- a/code/lib/builder-vite/src/vite-config.ts +++ b/code/lib/builder-vite/src/vite-config.ts @@ -94,7 +94,7 @@ export async function pluginConfig(options: ExtendedOptions) { // We need the react plugin here to support MDX in non-react projects. if (frameworkName !== '@storybook/react-vite') { - plugins.push(viteReact()); + plugins.push(viteReact({ exclude: [/\.stories\.([tj])sx?$/, /node_modules/, /\.([tj])sx?$/] })); } if (frameworkName === 'preact') { From 57457d607921223fcbe2198bb10f631b3247c7d1 Mon Sep 17 00:00:00 2001 From: Tom Coleman Date: Thu, 1 Sep 2022 14:01:07 +1000 Subject: [PATCH 7/8] Ensure we retained prepared-ness when the index HMRs --- code/lib/api/src/lib/stories.ts | 15 +++++++ code/lib/api/src/modules/stories.ts | 8 +++- code/lib/api/src/tests/stories.test.ts | 54 +++++++++++++++++++++++--- 3 files changed, 69 insertions(+), 8 deletions(-) diff --git a/code/lib/api/src/lib/stories.ts b/code/lib/api/src/lib/stories.ts index 9be760fe3d8..2019bc944ab 100644 --- a/code/lib/api/src/lib/stories.ts +++ b/code/lib/api/src/lib/stories.ts @@ -519,6 +519,21 @@ export const transformStoryIndexToStoriesHash = ( .reduce(addItem, orphanHash); }; +export const addPreparedStories = (newHash: StoriesHash, oldHash?: StoriesHash) => { + if (!oldHash) return newHash; + + return Object.fromEntries( + Object.entries(newHash).map(([id, newEntry]) => { + const oldEntry = oldHash[id]; + if (newEntry.type === 'story' && oldEntry?.type === 'story' && oldEntry.prepared) { + return [id, { ...oldEntry, ...newEntry, prepared: true }]; + } + + return [id, newEntry]; + }) + ); +}; + export const getComponentLookupList = memoize(1)((hash: StoriesHash) => { return Object.entries(hash).reduce((acc, i) => { const value = i[1]; diff --git a/code/lib/api/src/modules/stories.ts b/code/lib/api/src/modules/stories.ts index ef1d5aa6864..3f6446e7a7e 100644 --- a/code/lib/api/src/modules/stories.ts +++ b/code/lib/api/src/modules/stories.ts @@ -25,6 +25,7 @@ import { getStoriesLookupList, HashEntry, LeafEntry, + addPreparedStories, } from '../lib/stories'; import type { @@ -351,13 +352,16 @@ export const init: ModuleFn = ({ } }, setStoryList: async (storyIndex: StoryIndex) => { - const hash = transformStoryIndexToStoriesHash(storyIndex, { + const newHash = transformStoryIndexToStoriesHash(storyIndex, { provider, docsOptions, }); + // Now we need to patch in the existing prepared stories + const oldHash = store.getState().storiesHash; + await store.setState({ - storiesHash: hash, + storiesHash: addPreparedStories(newHash, oldHash), storiesConfigured: true, storiesFailed: null, }); diff --git a/code/lib/api/src/tests/stories.test.ts b/code/lib/api/src/tests/stories.test.ts index 132a9573352..276218b03c8 100644 --- a/code/lib/api/src/tests/stories.test.ts +++ b/code/lib/api/src/tests/stories.test.ts @@ -1,4 +1,5 @@ -/// ; +// Need to import jest as mockJest for annoying jest reasons. Is there a better way? +import { jest, jest as mockJest, it, describe, expect, beforeEach } from '@jest/globals'; import { STORY_ARGS_UPDATED, @@ -21,17 +22,17 @@ import { StoryEntry, SetStoriesStoryData, SetStoriesStory, StoryIndex } from '.. import type Store from '../store'; import { ModuleArgs } from '..'; -const mockStories: jest.MockedFunction<() => StoryIndex['entries']> = jest.fn(); +const mockStories = jest.fn(); jest.mock('../lib/events'); jest.mock('global', () => ({ - ...(jest.requireActual('global') as Record), - fetch: jest.fn(() => ({ json: () => ({ v: 4, entries: mockStories() }) })), + ...(mockJest.requireActual('global') as Record), + fetch: mockJest.fn(() => ({ json: () => ({ v: 4, entries: mockStories() }) })), FEATURES: { storyStoreV7: true }, CONFIG_TYPE: 'DEVELOPMENT', })); -const getEventMetadataMock = getEventMetadata as jest.MockedFunction; +const getEventMetadataMock = getEventMetadata as ReturnType; const mockIndex = { 'component-a--story-1': { @@ -58,7 +59,7 @@ function createMockStore(initialState = {}) { let state = initialState; return { getState: jest.fn(() => state), - setState: jest.fn((s) => { + setState: jest.fn((s: typeof state) => { state = { ...state, ...s }; return Promise.resolve(state); }), @@ -1195,6 +1196,47 @@ describe('stories API', () => { expect(Object.keys(storedStoriesHash)).toEqual(['component-a', 'component-a--story-1']); }); + it('retains prepared-ness of stories', async () => { + const navigate = jest.fn(); + const store = createMockStore(); + const fullAPI = Object.assign(new EventEmitter(), { + setStories: jest.fn(), + setOptions: jest.fn(), + }); + + const { api, init } = initStories({ store, navigate, provider, fullAPI } as any); + Object.assign(fullAPI, api); + + global.fetch.mockClear(); + await init(); + expect(global.fetch).toHaveBeenCalledTimes(1); + + fullAPI.emit(STORY_PREPARED, { + id: 'component-a--story-1', + parameters: { a: 'b' }, + args: { c: 'd' }, + }); + // Let the promise/await chain resolve + await new Promise((r) => setTimeout(r, 0)); + expect(store.getState().storiesHash['component-a--story-1'] as StoryEntry).toMatchObject({ + prepared: true, + parameters: { a: 'b' }, + args: { c: 'd' }, + }); + + global.fetch.mockClear(); + provider.serverChannel.emit(STORY_INDEX_INVALIDATED); + expect(global.fetch).toHaveBeenCalledTimes(1); + + // Let the promise/await chain resolve + await new Promise((r) => setTimeout(r, 0)); + expect(store.getState().storiesHash['component-a--story-1'] as StoryEntry).toMatchObject({ + prepared: true, + parameters: { a: 'b' }, + args: { c: 'd' }, + }); + }); + it('handles docs entries', async () => { mockStories.mockReset().mockReturnValue({ 'component-a--page': { From f9feca8a2eaf169aa681e3660917ac05d3bac18a Mon Sep 17 00:00:00 2001 From: Ian VanSchooten Date: Thu, 1 Sep 2022 12:20:13 -0400 Subject: [PATCH 8/8] Update migration guide --- MIGRATION.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/MIGRATION.md b/MIGRATION.md index 9db98fc45d9..c655a4a38ac 100644 --- a/MIGRATION.md +++ b/MIGRATION.md @@ -18,6 +18,7 @@ - [Docs modern inline rendering by default](#docs-modern-inline-rendering-by-default) - [Babel mode v7 by default](#babel-mode-v7-by-default) - [7.0 feature flags removed](#70-feature-flags-removed) + - [Vite builder uses vite config automatically](#vite-builder-uses-vite-config-automatically) - [Removed docs.getContainer and getPage parameters](#removed-docsgetcontainer-and-getpage-parameters) - [Icons API changed](#icons-api-changed) - [Docs Changes](#docs-changes) @@ -430,10 +431,13 @@ In 7.0, frameworks also specify the builder to be used. For example, The current - `@storybook/html-webpack5` - `@storybook/preact-webpack5` - `@storybook/react-webpack5` +- `@storybook/react-vite` - `@storybook/server-webpack5` - `@storybook/svelte-webpack5` +- `@storybook/svelte-vite` - `@storybook/vue-webpack5` - `@storybook/vue3-webpack5` +- `@storybook/vue3-vite` - `@storybook/web-components-webpack5` We will be expanding this list over the course of the 7.0 development cycle. More info on the rationale here: [Frameworks RFC](https://www.notion.so/chromatic-ui/Frameworks-RFC-89f8aafe3f0941ceb4c24683859ed65c). @@ -514,6 +518,12 @@ In 7.0 we've removed the following feature flags: | `emotionAlias` | This flag is no longer needed and should be deleted. | | `breakingChangesV7` | This flag is no longer needed and should be deleted. | +#### Vite builder uses vite config automatically + +When using a [Vite-based framework](#framework-field-mandatory), Storybook will automatically use your `vite.config.(ctm)js` config file starting in 7.0. +Some settings will be overridden by storybook so that it can function properly, and the merged settings can be modified using `viteFinal` in `.storybook/main.js` (see the [Storybook Vite configuration docs](https://storybook.js.org/docs/react/builders/vite#configuration)). +If you were using `viteFinal` in 6.5 to simply merge in your project's standard vite config, you can now remove it. + #### Removed docs.getContainer and getPage parameters It is no longer possible to set `parameters.docs.getContainer()` and `getPage()`. Instead use `parameters.docs.container` or `parameters.docs.page` directly.