mirror of
https://github.com/storybookjs/storybook.git
synced 2025-03-24 05:02:24 +08:00
297 lines
8.3 KiB
TypeScript
297 lines
8.3 KiB
TypeScript
/* eslint-disable no-restricted-syntax, no-await-in-loop */
|
|
import path from 'path';
|
|
import { remove, pathExists, readJSON, writeJSON, ensureSymlink } from 'fs-extra';
|
|
import prompts from 'prompts';
|
|
|
|
import { getOptionsOrPrompt } from './utils/options';
|
|
import { executeCLIStep } from './utils/cli-step';
|
|
import { exec } from '../code/lib/cli/src/repro-generators/scripts';
|
|
import { getInterpretedFile } from '../code/lib/core-common';
|
|
import { ConfigFile, readConfig, writeConfig } from '../code/lib/csf-tools';
|
|
import { babelParse } from '../code/lib/csf-tools/src/babelParse';
|
|
|
|
const frameworks = ['react', 'angular'];
|
|
const addons = ['a11y', 'storysource'];
|
|
const defaultAddons = [
|
|
'actions',
|
|
'backgrounds',
|
|
'controls',
|
|
'docs',
|
|
'highlight',
|
|
'links',
|
|
'interactions',
|
|
'measure',
|
|
'outline',
|
|
'toolbars',
|
|
'viewport',
|
|
];
|
|
const sandboxDir = path.resolve(__dirname, '../sandbox');
|
|
const codeDir = path.resolve(__dirname, '../code');
|
|
|
|
// TODO -- how to encode this information
|
|
const renderersMap = { react: 'react', angular: 'angular' };
|
|
|
|
async function getOptions() {
|
|
return getOptionsOrPrompt('yarn sandbox', {
|
|
framework: {
|
|
description: 'Which framework would you like to use?',
|
|
values: frameworks,
|
|
required: true as const,
|
|
},
|
|
addon: {
|
|
description: 'Which extra addons (beyond the CLI defaults) would you like installed?',
|
|
values: addons,
|
|
multiple: true as const,
|
|
},
|
|
includeStories: {
|
|
description: "Include Storybook's own stories?",
|
|
promptType: (_, { framework }) => framework === 'react',
|
|
},
|
|
create: {
|
|
description: 'Create the template from scratch (rather than degitting it)?',
|
|
},
|
|
forceDelete: {
|
|
description: 'Always delete an existing sandbox, even if it has the same configuration?',
|
|
promptType: false,
|
|
},
|
|
forceReuse: {
|
|
description: 'Always reuse an existing sandbox, even if it has a different configuration?',
|
|
promptType: false,
|
|
},
|
|
link: {
|
|
description: 'Link the storybook to the local code?',
|
|
inverse: true,
|
|
},
|
|
start: {
|
|
description: 'Start the Storybook?',
|
|
inverse: true,
|
|
},
|
|
build: {
|
|
description: 'Build the Storybook?',
|
|
},
|
|
watch: {
|
|
description: 'Start building used packages in watch mode as well as the Storybook?',
|
|
},
|
|
dryRun: {
|
|
description: "Don't execute commands, just list them (dry run)?",
|
|
},
|
|
});
|
|
}
|
|
|
|
const steps = {
|
|
repro: {
|
|
command: 'repro',
|
|
description: 'Bootstrapping Template',
|
|
icon: '👷',
|
|
hasArgument: true,
|
|
options: {
|
|
template: { values: frameworks },
|
|
e2e: {},
|
|
},
|
|
},
|
|
add: {
|
|
command: 'add',
|
|
description: 'Adding addon',
|
|
icon: '+',
|
|
hasArgument: true,
|
|
options: {},
|
|
},
|
|
link: {
|
|
command: 'link',
|
|
description: 'Linking packages',
|
|
icon: '🔗',
|
|
hasArgument: true,
|
|
options: { local: {}, start: { inverse: true } },
|
|
},
|
|
build: {
|
|
command: 'build',
|
|
description: 'Building Storybook',
|
|
icon: '🔨',
|
|
options: {},
|
|
},
|
|
dev: {
|
|
command: 'dev',
|
|
description: 'Starting Storybook',
|
|
icon: '🖥 ',
|
|
options: {},
|
|
},
|
|
};
|
|
|
|
const logger = console;
|
|
|
|
const addPackageScripts = async ({
|
|
cwd,
|
|
scripts,
|
|
}: {
|
|
cwd: string;
|
|
scripts: Record<string, string>;
|
|
}) => {
|
|
logger.info(`🔢 Adding package resolutions:`);
|
|
const packageJsonPath = path.join(cwd, 'package.json');
|
|
const packageJson = await readJSON(packageJsonPath);
|
|
packageJson.scripts = {
|
|
...packageJson.scripts,
|
|
...scripts,
|
|
};
|
|
await writeJSON(packageJsonPath, packageJson, { spaces: 2 });
|
|
};
|
|
|
|
async function readMainConfig({ cwd }: { cwd: string }) {
|
|
const configDir = path.join(cwd, '.storybook');
|
|
const mainConfigPath = getInterpretedFile(path.resolve(configDir, 'main'));
|
|
return readConfig(mainConfigPath);
|
|
}
|
|
|
|
// NOTE: the test regexp here will apply whether the path is symlink-preserved or otherwise
|
|
const loaderPath = require.resolve('../code/node_modules/esbuild-loader');
|
|
const webpackFinalCode = `
|
|
(config) => ({
|
|
...config,
|
|
module: {
|
|
...config.modules,
|
|
rules: [
|
|
{
|
|
test: [/\\/node_modules\\/@storybook\\/[^/]*\\/template\\/stories\\//],
|
|
loader: '${loaderPath}',
|
|
options: {
|
|
loader: 'tsx',
|
|
target: 'es2015',
|
|
},
|
|
},
|
|
...config.module.rules,
|
|
],
|
|
},
|
|
})`;
|
|
|
|
// paths are of the form 'node_modules/@storybook/react'
|
|
async function addStories(
|
|
paths: string[],
|
|
{ mainConfig, cwd }: { mainConfig: ConfigFile; cwd: string }
|
|
) {
|
|
const stories = mainConfig.getFieldValue(['stories']) as string[];
|
|
const extraStoryDirsAndExistence = await Promise.all(
|
|
paths
|
|
.map((p) => path.join(p, 'template', 'stories'))
|
|
.map(async (p) => [p, await pathExists(path.resolve(codeDir, p))] as const)
|
|
);
|
|
|
|
const extraStories = extraStoryDirsAndExistence
|
|
.filter(([, exists]) => exists)
|
|
.map(([p]) => path.join('..', p, '*.stories.@(js|jsx|ts|tsx)'));
|
|
mainConfig.setFieldValue(['stories'], [...stories, ...extraStories]);
|
|
|
|
mainConfig.setFieldNode(
|
|
['webpackFinal'],
|
|
// @ts-ignore (not sure why TS complains here, it does exist)
|
|
babelParse(webpackFinalCode).program.body[0].expression
|
|
);
|
|
}
|
|
|
|
async function main() {
|
|
const optionValues = await getOptions();
|
|
|
|
const { framework, forceDelete, forceReuse, link, dryRun } = optionValues;
|
|
const cwd = path.join(sandboxDir, framework);
|
|
|
|
const exists = await pathExists(cwd);
|
|
let shouldDelete = exists && !forceReuse;
|
|
if (exists && !forceDelete && !forceReuse) {
|
|
const relativePath = path.relative(process.cwd(), cwd);
|
|
({ shouldDelete } = await prompts({
|
|
type: 'toggle',
|
|
message: `${relativePath} already exists, should delete it and create a new one?`,
|
|
name: 'shouldDelete',
|
|
initial: false,
|
|
active: 'yes',
|
|
inactive: 'no',
|
|
}));
|
|
}
|
|
|
|
if (exists && shouldDelete && !dryRun) await remove(cwd);
|
|
|
|
if (!exists || shouldDelete) {
|
|
await executeCLIStep(steps.repro, {
|
|
argument: cwd,
|
|
optionValues: { template: framework },
|
|
cwd: sandboxDir,
|
|
dryRun,
|
|
});
|
|
|
|
const mainConfig = await readMainConfig({ cwd });
|
|
|
|
// TODO -- can we get the options type to return something more specific
|
|
const renderer = renderersMap[framework as 'react' | 'angular'];
|
|
const storiesPath = 'stories'; // This may differ in different projects
|
|
|
|
// Link in the template/components/index.js from the renderer
|
|
const rendererPath = path.join('node_modules', '@storybook', renderer);
|
|
await ensureSymlink(
|
|
path.join(codeDir, rendererPath, 'template', 'components'),
|
|
path.resolve(cwd, storiesPath, 'components')
|
|
);
|
|
mainConfig.setFieldValue(
|
|
['previewEntries'],
|
|
[`.${path.sep}${path.join(storiesPath, 'components')}`]
|
|
);
|
|
|
|
const storiesToAdd = [] as string[];
|
|
storiesToAdd.push(rendererPath);
|
|
|
|
// TODO -- sb add <addon> doesn't actually work properly:
|
|
// - installs in `deps` not `devDeps`
|
|
// - does a `workspace:^` install (what does that mean?)
|
|
// - doesn't add to `main.js`
|
|
|
|
for (const addon of optionValues.addon) {
|
|
const addonName = `@storybook/addon-${addon}`;
|
|
await executeCLIStep(steps.add, { argument: addonName, cwd, dryRun });
|
|
}
|
|
|
|
for (const addon of [...defaultAddons, ...optionValues.addon]) {
|
|
storiesToAdd.push(path.join('node_modules', '@storybook', `addon-${addon}`));
|
|
}
|
|
await addStories(storiesToAdd, { mainConfig, cwd });
|
|
|
|
await writeConfig(mainConfig);
|
|
|
|
if (link) {
|
|
await executeCLIStep(steps.link, {
|
|
argument: cwd,
|
|
cwd: codeDir,
|
|
dryRun,
|
|
optionValues: { local: true, start: false },
|
|
});
|
|
|
|
await addPackageScripts({
|
|
cwd,
|
|
scripts: {
|
|
storybook:
|
|
'NODE_OPTIONS="--preserve-symlinks --preserve-symlinks-main" storybook dev -p 6006',
|
|
'build-storybook':
|
|
'NODE_OPTIONS="--preserve-symlinks --preserve-symlinks-main" storybook build',
|
|
},
|
|
});
|
|
}
|
|
}
|
|
|
|
const { start } = optionValues;
|
|
if (start) {
|
|
await exec(
|
|
'yarn storybook',
|
|
{ cwd },
|
|
{
|
|
dryRun,
|
|
startMessage: `⬆️ Starting Storybook`,
|
|
errorMessage: `🚨 Starting Storybook failed`,
|
|
}
|
|
);
|
|
} else {
|
|
await executeCLIStep(steps.build, { cwd, dryRun });
|
|
// TODO serve
|
|
}
|
|
|
|
// TODO start dev
|
|
}
|
|
|
|
main().catch((err) => console.error(err));
|