mirror of
https://github.com/storybookjs/storybook.git
synced 2025-04-05 16:11:33 +08:00
Merge pull request #15928 from storybookjs/tech/babel-mode-v7
Core: Add Babel mode v7
This commit is contained in:
commit
337fdcd0fe
35
MIGRATION.md
35
MIGRATION.md
@ -1,5 +1,7 @@
|
||||
<h1>Migration</h1>
|
||||
|
||||
- [From version 6.3.x to 6.4.0](#from-version-63x-to-640)
|
||||
- [Babel mode v7](#babel-mode-v7)
|
||||
- [From version 6.2.x to 6.3.0](#from-version-62x-to-630)
|
||||
- [Webpack 5 manager build](#webpack-5-manager-build)
|
||||
- [Angular 12 upgrade](#angular-12-upgrade)
|
||||
@ -162,6 +164,39 @@
|
||||
- [Packages renaming](#packages-renaming)
|
||||
- [Deprecated embedded addons](#deprecated-embedded-addons)
|
||||
|
||||
## From version 6.3.x to 6.4.0
|
||||
|
||||
### Babel mode v7
|
||||
|
||||
SB6.4 introduces an opt-in feature flag, `features.babelModeV7`, that reworks the way Babel is configured in Storybook to make it more consistent with the Babel is configured in your app. This breaking change will become the default in SB 7.0, but we encourage you to migrate today.
|
||||
|
||||
> NOTE: CRA apps using `@storybook/preset-create-react-app` use CRA's handling, so the new flag has no effect on CRA apps.
|
||||
|
||||
In SB6.x and earlier, Storybook provided its own default configuration and inconsistently handled configurations from the user's babelrc file. This resulted in a final configuration that differs from your application's configuration AND is difficult to debug.
|
||||
|
||||
In `babelModeV7`, Storybook no longer provides its own default configuration and is primarily configured via babelrc file, with small, incremental updates from Storybook addons.
|
||||
|
||||
In 6.x, Storybook supported a `.storybook/babelrc` configuration option. This is no longer supported and it's up to you to reconcile this with your project babelrc.
|
||||
|
||||
To activate the v7 mode set the feature flag in your `.storybook/main.js` config:
|
||||
|
||||
```js
|
||||
module.exports = {
|
||||
// ... your existing config
|
||||
features: {
|
||||
babelModeV7: true,
|
||||
},
|
||||
};
|
||||
```
|
||||
|
||||
In the new mode, Storybook expects you to provide a configuration file. If you want a configuration file that's equivalent to the 6.x default, you can run the following command in your project directory:
|
||||
|
||||
```sh
|
||||
npx sb@next babelrc
|
||||
```
|
||||
|
||||
This will create a `.babelrc.json` file. This file includes a bunch of babel plugins, so you may need to add new package devDependencies accordingly.
|
||||
|
||||
## From version 6.2.x to 6.3.0
|
||||
|
||||
### Webpack 5 manager build
|
||||
|
@ -50,11 +50,11 @@ export async function babelDefault(config: TransformOptions) {
|
||||
return {
|
||||
...config,
|
||||
presets: [
|
||||
...config.presets,
|
||||
...(config?.presets || []),
|
||||
[require.resolve('@babel/preset-react'), presetReactOptions],
|
||||
require.resolve('@babel/preset-flow'),
|
||||
],
|
||||
plugins: [...(config.plugins || []), require.resolve('babel-plugin-add-react-displayname')],
|
||||
plugins: [...(config?.plugins || []), require.resolve('babel-plugin-add-react-displayname')],
|
||||
};
|
||||
}
|
||||
|
||||
|
@ -1,7 +1,9 @@
|
||||
// eslint-disable-next-line import/no-extraneous-dependencies
|
||||
import { Configuration } from 'webpack';
|
||||
import type { Options } from '@storybook/core-common';
|
||||
|
||||
export function webpack(config: Configuration) {
|
||||
export function webpack(config: Configuration, options: Options) {
|
||||
const babelrcOptions = options.features?.babelModeV7 ? null : { babelrc: false };
|
||||
config.module.rules.push({
|
||||
test: [
|
||||
new RegExp(`src(.*)\\.js$`),
|
||||
@ -30,7 +32,7 @@ export function webpack(config: Configuration) {
|
||||
},
|
||||
],
|
||||
],
|
||||
babelrc: false,
|
||||
...babelrcOptions,
|
||||
},
|
||||
},
|
||||
});
|
||||
|
@ -2,7 +2,21 @@
|
||||
title: 'Babel'
|
||||
---
|
||||
|
||||
Storybook’s webpack config by [default](#default-configuration) sets up [Babel](https://babeljs.io/) for ES6 transpiling. Storybook works with evergreen browsers by default.
|
||||
Storybook’s webpack config by [default](#default-configuration) sets up [Babel](https://babeljs.io/) for ES6 transpiling.
|
||||
|
||||
It has three different modes:
|
||||
|
||||
- **CRA** - the mode for Create React App apps specifically
|
||||
- **V6** - the default mode for version 6.x and below
|
||||
- **V7** - a new mode slated to become the default in SB7.x
|
||||
|
||||
## CRA mode
|
||||
|
||||
CRA apps configured with `@storybook/preset-create-react-app` use CRA's babel handling to behave as close as possible to your actual application. None of the other documentation on this page applies.
|
||||
|
||||
## V6 mode
|
||||
|
||||
Storybook works with evergreen browsers by default.
|
||||
|
||||
If you want to run Storybook in IE11, make sure to [disable](../essentials/introduction#disabling-addons) the docs-addon that is part of `@storybook/addon-essentials`, as this currently [causes issues in IE11](https://github.com/storybookjs/storybook/issues/8884).
|
||||
|
||||
@ -37,3 +51,54 @@ module.exports = {
|
||||
}),
|
||||
};
|
||||
```
|
||||
|
||||
## V7 Mode
|
||||
|
||||
V7 mode is a new option available in Storybook 6.4+ behind a feature flag.
|
||||
|
||||
Its goal is to make Babel configuration simpler, less buggy, easier to troubleshoot, and more consistent with the rest of the JS ecosystem.
|
||||
|
||||
In V7 mode, you are responsible for configuring Babel using your `.babelrc` file and Storybook does not provide any default. Storybook's frameworks and addons may provide small programmatic modifications to the babel configuration.
|
||||
|
||||
### Activating
|
||||
|
||||
To activate V7 mode, set the feature flag in your `.storybook/main.js` config:
|
||||
|
||||
```js
|
||||
module.exports = {
|
||||
// ... your existing config
|
||||
features: {
|
||||
babelModeV7: true,
|
||||
},
|
||||
};
|
||||
```
|
||||
|
||||
### Migrating from V6
|
||||
|
||||
For detailed instructions on how to migrate from `V6` mode please see [MIGRATION.md](https://github.com/storybookjs/storybook/blob/next/MIGRATION.md#babel-mode-v7).
|
||||
|
||||
### Generate a babelrc
|
||||
|
||||
If your app does not use a babelrc and you need one, you can generate a babelrc file by running the following command in your project directory:
|
||||
|
||||
```sh
|
||||
npx sb@next babelrc
|
||||
```
|
||||
|
||||
This will create a `.babelrc.json` file. You may need to add package dependencies.
|
||||
|
||||
### Troubleshooting
|
||||
|
||||
To troubleshoot your babel configuration, set the `BABEL_SHOW_CONFIG_FOR` environment variable.
|
||||
|
||||
For example, to see how Storybook is transpiling your `.storybook/preview.js` config:
|
||||
|
||||
```sh
|
||||
BABEL_SHOW_CONFIG_FOR=.storybook/preview.js yarn storybook
|
||||
```
|
||||
|
||||
This will print out the babel configuration for `.storybook/preview.js`, which can be used to debug when files fail to transpile or transpile incorrectly.
|
||||
|
||||
> NOTE: Due to what appears to be a Babel bug, setting this flag causes Babel transpilation to fail on the file provided. Thus you cannot actually _RUN_ storybook using this command. However, it will print out the configuration information as advertised and thus you can use this to debug your Storybook. You'll need to remove the flag to actually run your Storybook.
|
||||
|
||||
For more info, please refer to the [Babel documentation](https://babeljs.io/docs/en/configuration#print-effective-configs).
|
||||
|
@ -22,6 +22,7 @@ const config: StorybookConfig = {
|
||||
postcss: false,
|
||||
previewCsfV3: true,
|
||||
buildStoriesJson: true,
|
||||
babelModeV7: true,
|
||||
},
|
||||
};
|
||||
|
||||
|
@ -4,7 +4,7 @@ import path from 'path';
|
||||
import { logger } from '@storybook/node-logger';
|
||||
import deprecate from 'util-deprecate';
|
||||
import dedent from 'ts-dedent';
|
||||
import type { BuilderOptions, LoadedPreset, Options } from '@storybook/core-common';
|
||||
import type { LoadedPreset, Options } from '@storybook/core-common';
|
||||
|
||||
const warnImplicitPostcssPlugins = deprecate(
|
||||
() => ({
|
||||
|
@ -49,6 +49,7 @@
|
||||
"@babel/core": "^7.12.10",
|
||||
"@babel/preset-env": "^7.12.11",
|
||||
"@storybook/codemod": "6.4.0-alpha.32",
|
||||
"@storybook/core-common": "6.4.0-alpha.32",
|
||||
"@storybook/node-logger": "6.4.0-alpha.32",
|
||||
"@storybook/semver": "^7.3.2",
|
||||
"boxen": "^4.2.0",
|
||||
|
41
lib/cli/src/babel-config.ts
Normal file
41
lib/cli/src/babel-config.ts
Normal file
@ -0,0 +1,41 @@
|
||||
import { writeFile, access } from 'fs-extra';
|
||||
import { logger } from '@storybook/node-logger';
|
||||
import { getStorybookBabelConfig } from '@storybook/core-common';
|
||||
import path from 'path';
|
||||
import prompts from 'prompts';
|
||||
|
||||
export const generateStorybookBabelConfigInCWD = async () => {
|
||||
const target = process.cwd();
|
||||
return generateStorybookBabelConfig({ target });
|
||||
};
|
||||
export const generateStorybookBabelConfig = async ({ target }: { target: string }) => {
|
||||
logger.info(`Generating the storybook default babel config at ${target}`);
|
||||
|
||||
const config = getStorybookBabelConfig({ local: true });
|
||||
const contents = JSON.stringify(config, null, 2);
|
||||
|
||||
const fileName = '.babelrc.json';
|
||||
const location = path.join(target, fileName);
|
||||
|
||||
const exists = await access(location).then(
|
||||
() => true,
|
||||
() => false
|
||||
);
|
||||
|
||||
if (exists) {
|
||||
const { overwrite } = await prompts({
|
||||
type: 'confirm',
|
||||
initial: true,
|
||||
name: 'overwrite',
|
||||
message: `${fileName} already exists. Would you like overwrite it?`,
|
||||
});
|
||||
|
||||
if (overwrite === false) {
|
||||
logger.warn(`Cancelled, babel config file was NOT written to file-system.`);
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
logger.info(`Writing file to ${location}`);
|
||||
await writeFile(location, contents);
|
||||
};
|
@ -4,13 +4,14 @@ import chalk from 'chalk';
|
||||
import envinfo from 'envinfo';
|
||||
import leven from 'leven';
|
||||
import { sync } from 'read-pkg-up';
|
||||
import initiate from './initiate';
|
||||
import { initiate } from './initiate';
|
||||
import { add } from './add';
|
||||
import { migrate } from './migrate';
|
||||
import { extract } from './extract';
|
||||
import { upgrade } from './upgrade';
|
||||
import { repro } from './repro';
|
||||
import { link } from './link';
|
||||
import { generateStorybookBabelConfigInCWD } from './babel-config';
|
||||
|
||||
const pkg = sync({ cwd: __dirname }).packageJson;
|
||||
|
||||
@ -37,6 +38,11 @@ program
|
||||
.option('-s --skip-postinstall', 'Skip package specific postinstall config modifications')
|
||||
.action((addonName, options) => add(addonName, options));
|
||||
|
||||
program
|
||||
.command('babelrc')
|
||||
.description('generate the default storybook babel config into your current working directory')
|
||||
.action(() => generateStorybookBabelConfigInCWD());
|
||||
|
||||
program
|
||||
.command('upgrade')
|
||||
.description('Upgrade your Storybook packages to the latest')
|
||||
|
@ -1,3 +1,5 @@
|
||||
import fse from 'fs-extra';
|
||||
import { getStorybookBabelDependencies } from '@storybook/core-common';
|
||||
import { NpmOptions } from '../NpmOptions';
|
||||
import {
|
||||
StoryFormat,
|
||||
@ -9,6 +11,7 @@ import {
|
||||
import { getBabelDependencies, copyComponents } from '../helpers';
|
||||
import { configure } from './configure';
|
||||
import { getPackageDetails, JsPackageManager } from '../js-package-manager';
|
||||
import { generateStorybookBabelConfigInCWD } from '../babel-config';
|
||||
|
||||
export type GeneratorOptions = {
|
||||
language: SupportedLanguage;
|
||||
@ -91,6 +94,11 @@ export async function baseGenerator(
|
||||
const yarn2Dependencies =
|
||||
packageManager.type === 'yarn2' ? ['@storybook/addon-docs', '@mdx-js/react'] : [];
|
||||
|
||||
const files = await fse.readdir(process.cwd());
|
||||
const isNewFolder = !files.some(
|
||||
(fname) => fname.startsWith('.babel') || fname.startsWith('babel') || fname === 'package.json'
|
||||
);
|
||||
|
||||
const packageJson = packageManager.retrievePackageJson();
|
||||
const installedDependencies = new Set(Object.keys(packageJson.dependencies));
|
||||
|
||||
@ -129,6 +137,10 @@ export async function baseGenerator(
|
||||
}
|
||||
|
||||
const babelDependencies = addBabel ? await getBabelDependencies(packageManager, packageJson) : [];
|
||||
if (isNewFolder) {
|
||||
babelDependencies.push(...getStorybookBabelDependencies());
|
||||
await generateStorybookBabelConfigInCWD();
|
||||
}
|
||||
packageManager.addDependencies({ ...npmOptions, packageJson }, [
|
||||
...versionedPackages,
|
||||
...babelDependencies,
|
||||
|
@ -298,7 +298,7 @@ const projectTypeInquirer = async (options: { yes?: boolean }) => {
|
||||
return Promise.resolve();
|
||||
};
|
||||
|
||||
export default function (options: CommandOptions, pkg: Package): Promise<void> {
|
||||
export function initiate(options: CommandOptions, pkg: Package): Promise<void> {
|
||||
const welcomeMessage = 'sb init - the simplest way to add a Storybook to your project.';
|
||||
logger.log(chalk.inverse(`\n ${welcomeMessage} \n`));
|
||||
|
||||
|
@ -265,6 +265,11 @@ export interface StorybookConfig {
|
||||
* Activate preview of CSF v3.0
|
||||
*/
|
||||
previewCsfV3?: boolean;
|
||||
|
||||
/**
|
||||
* Use Storybook 7.0 babel config scheme
|
||||
*/
|
||||
babelModeV7?: boolean;
|
||||
};
|
||||
/**
|
||||
* Tells Storybook where to find stories.
|
||||
|
@ -1,56 +1,78 @@
|
||||
import { TransformOptions } from '@babel/core';
|
||||
|
||||
const plugins = [
|
||||
require.resolve('@babel/plugin-transform-shorthand-properties'),
|
||||
require.resolve('@babel/plugin-transform-block-scoping'),
|
||||
/*
|
||||
* Added for TypeScript experimental decorator support
|
||||
* https://babeljs.io/docs/en/babel-plugin-transform-typescript#typescript-compiler-options
|
||||
*/
|
||||
[require.resolve('@babel/plugin-proposal-decorators'), { legacy: true }],
|
||||
[require.resolve('@babel/plugin-proposal-class-properties'), { loose: true }],
|
||||
[require.resolve('@babel/plugin-proposal-private-methods'), { loose: true }],
|
||||
require.resolve('@babel/plugin-proposal-export-default-from'),
|
||||
require.resolve('@babel/plugin-syntax-dynamic-import'),
|
||||
[
|
||||
require.resolve('@babel/plugin-proposal-object-rest-spread'),
|
||||
{ loose: true, useBuiltIns: true },
|
||||
],
|
||||
require.resolve('@babel/plugin-transform-classes'),
|
||||
require.resolve('@babel/plugin-transform-arrow-functions'),
|
||||
require.resolve('@babel/plugin-transform-parameters'),
|
||||
require.resolve('@babel/plugin-transform-destructuring'),
|
||||
require.resolve('@babel/plugin-transform-spread'),
|
||||
require.resolve('@babel/plugin-transform-for-of'),
|
||||
require.resolve('babel-plugin-macros'),
|
||||
/*
|
||||
* Optional chaining and nullish coalescing are supported in
|
||||
* @babel/preset-env, but not yet supported in Webpack due to support
|
||||
* missing from acorn. These can be removed once Webpack has support.
|
||||
* See https://github.com/facebook/create-react-app/issues/8445#issuecomment-588512250
|
||||
*/
|
||||
require.resolve('@babel/plugin-proposal-optional-chaining'),
|
||||
require.resolve('@babel/plugin-proposal-nullish-coalescing-operator'),
|
||||
[
|
||||
require.resolve('babel-plugin-polyfill-corejs3'),
|
||||
{
|
||||
method: 'usage-global',
|
||||
absoluteImports: require.resolve('core-js'),
|
||||
// eslint-disable-next-line global-require
|
||||
version: require('core-js/package.json').version,
|
||||
},
|
||||
],
|
||||
];
|
||||
const r = (s: string, local: boolean) => {
|
||||
return local ? s : require.resolve(s);
|
||||
};
|
||||
|
||||
const presets = [
|
||||
[require.resolve('@babel/preset-env'), { shippedProposals: true, loose: true }],
|
||||
require.resolve('@babel/preset-typescript'),
|
||||
];
|
||||
|
||||
export const babelConfig: () => TransformOptions = () => {
|
||||
export const getStorybookBabelConfig = ({ local = false }: { local?: boolean } = {}) => {
|
||||
return {
|
||||
sourceType: 'unambiguous',
|
||||
presets: [...presets],
|
||||
plugins: [...plugins],
|
||||
};
|
||||
presets: [
|
||||
[r('@babel/preset-env', local), { shippedProposals: true, loose: true }],
|
||||
r('@babel/preset-typescript', local),
|
||||
],
|
||||
plugins: [
|
||||
r('@babel/plugin-transform-shorthand-properties', local),
|
||||
r('@babel/plugin-transform-block-scoping', local),
|
||||
/*
|
||||
* Added for TypeScript experimental decorator support
|
||||
* https://babeljs.io/docs/en/babel-plugin-transform-typescript#typescript-compiler-options
|
||||
*/
|
||||
[r('@babel/plugin-proposal-decorators', local), { legacy: true }],
|
||||
[r('@babel/plugin-proposal-class-properties', local), { loose: true }],
|
||||
[r('@babel/plugin-proposal-private-methods', local), { loose: true }],
|
||||
r('@babel/plugin-proposal-export-default-from', local),
|
||||
r('@babel/plugin-syntax-dynamic-import', local),
|
||||
[r('@babel/plugin-proposal-object-rest-spread', local), { loose: true, useBuiltIns: true }],
|
||||
r('@babel/plugin-transform-classes', local),
|
||||
r('@babel/plugin-transform-arrow-functions', local),
|
||||
r('@babel/plugin-transform-parameters', local),
|
||||
r('@babel/plugin-transform-destructuring', local),
|
||||
r('@babel/plugin-transform-spread', local),
|
||||
r('@babel/plugin-transform-for-of', local),
|
||||
r('babel-plugin-macros', local),
|
||||
/*
|
||||
* Optional chaining and nullish coalescing are supported in
|
||||
* @babel/preset-env, but not yet supported in Webpack due to support
|
||||
* missing from acorn. These can be removed once Webpack has support.
|
||||
* See https://github.com/facebook/create-react-app/issues/8445#issuecomment-588512250
|
||||
*/
|
||||
r('@babel/plugin-proposal-optional-chaining', local),
|
||||
r('@babel/plugin-proposal-nullish-coalescing-operator', local),
|
||||
[
|
||||
r('babel-plugin-polyfill-corejs3', local),
|
||||
{
|
||||
method: 'usage-global',
|
||||
absoluteImports: r('core-js', local),
|
||||
// eslint-disable-next-line global-require
|
||||
version: require('core-js/package.json').version,
|
||||
},
|
||||
],
|
||||
],
|
||||
} as TransformOptions;
|
||||
};
|
||||
|
||||
export const getStorybookBabelDependencies = () => [
|
||||
'@babel/preset-env',
|
||||
'@babel/preset-typescript',
|
||||
'@babel/plugin-transform-shorthand-properties',
|
||||
'@babel/plugin-transform-block-scoping',
|
||||
'@babel/plugin-proposal-decorators',
|
||||
'@babel/plugin-proposal-class-properties',
|
||||
'@babel/plugin-proposal-private-methods',
|
||||
'@babel/plugin-proposal-export-default-from',
|
||||
'@babel/plugin-syntax-dynamic-import',
|
||||
'@babel/plugin-proposal-object-rest-spread',
|
||||
'@babel/plugin-transform-classes',
|
||||
'@babel/plugin-transform-arrow-functions',
|
||||
'@babel/plugin-transform-parameters',
|
||||
'@babel/plugin-transform-destructuring',
|
||||
'@babel/plugin-transform-spread',
|
||||
'@babel/plugin-transform-for-of',
|
||||
'babel-plugin-macros',
|
||||
'@babel/plugin-proposal-optional-chaining',
|
||||
'@babel/plugin-proposal-nullish-coalescing-operator',
|
||||
'babel-plugin-polyfill-corejs3',
|
||||
'babel-loader',
|
||||
'core-js',
|
||||
];
|
||||
|
@ -1,7 +1,7 @@
|
||||
import { RuleSetRule } from 'webpack';
|
||||
import { babelConfig } from './babel';
|
||||
import { getStorybookBabelConfig } from './babel';
|
||||
|
||||
const { plugins } = babelConfig();
|
||||
const { plugins } = getStorybookBabelConfig();
|
||||
|
||||
const nodeModulesThatNeedToBeParsedBecauseTheyExposeES6 = [
|
||||
'@storybook[\\\\/]node_logger',
|
||||
|
@ -44,6 +44,8 @@ Object {
|
||||
Object {
|
||||
"loader": "NODE_MODULES/babel-loader/lib/index.js",
|
||||
"options": Object {
|
||||
"babelrc": false,
|
||||
"configFile": false,
|
||||
"plugins": Array [
|
||||
"NODE_MODULES/@babel/plugin-transform-shorthand-properties/lib/index.js",
|
||||
"NODE_MODULES/@babel/plugin-transform-block-scoping/lib/index.js",
|
||||
|
@ -44,6 +44,8 @@ Object {
|
||||
Object {
|
||||
"loader": "NODE_MODULES/babel-loader/lib/index.js",
|
||||
"options": Object {
|
||||
"babelrc": false,
|
||||
"configFile": false,
|
||||
"plugins": Array [
|
||||
"NODE_MODULES/@babel/plugin-transform-shorthand-properties/lib/index.js",
|
||||
"NODE_MODULES/@babel/plugin-transform-block-scoping/lib/index.js",
|
||||
|
@ -46,6 +46,8 @@ Object {
|
||||
Object {
|
||||
"loader": "NODE_MODULES/babel-loader/lib/index.js",
|
||||
"options": Object {
|
||||
"babelrc": false,
|
||||
"configFile": false,
|
||||
"plugins": Array [
|
||||
"NODE_MODULES/@babel/plugin-transform-shorthand-properties/lib/index.js",
|
||||
"NODE_MODULES/@babel/plugin-transform-block-scoping/lib/index.js",
|
||||
|
@ -46,6 +46,8 @@ Object {
|
||||
Object {
|
||||
"loader": "NODE_MODULES/babel-loader/lib/index.js",
|
||||
"options": Object {
|
||||
"babelrc": false,
|
||||
"configFile": false,
|
||||
"plugins": Array [
|
||||
"NODE_MODULES/@babel/plugin-transform-shorthand-properties/lib/index.js",
|
||||
"NODE_MODULES/@babel/plugin-transform-block-scoping/lib/index.js",
|
||||
|
@ -46,6 +46,8 @@ Object {
|
||||
Object {
|
||||
"loader": "NODE_MODULES/babel-loader/lib/index.js",
|
||||
"options": Object {
|
||||
"babelrc": false,
|
||||
"configFile": false,
|
||||
"plugins": Array [
|
||||
"NODE_MODULES/@babel/plugin-transform-shorthand-properties/lib/index.js",
|
||||
"NODE_MODULES/@babel/plugin-transform-block-scoping/lib/index.js",
|
||||
|
@ -46,6 +46,8 @@ Object {
|
||||
Object {
|
||||
"loader": "NODE_MODULES/babel-loader/lib/index.js",
|
||||
"options": Object {
|
||||
"babelrc": false,
|
||||
"configFile": false,
|
||||
"plugins": Array [
|
||||
"NODE_MODULES/@babel/plugin-transform-shorthand-properties/lib/index.js",
|
||||
"NODE_MODULES/@babel/plugin-transform-block-scoping/lib/index.js",
|
||||
|
@ -46,6 +46,8 @@ Object {
|
||||
Object {
|
||||
"loader": "NODE_MODULES/babel-loader/lib/index.js",
|
||||
"options": Object {
|
||||
"babelrc": false,
|
||||
"configFile": false,
|
||||
"plugins": Array [
|
||||
"NODE_MODULES/@babel/plugin-transform-shorthand-properties/lib/index.js",
|
||||
"NODE_MODULES/@babel/plugin-transform-block-scoping/lib/index.js",
|
||||
|
@ -46,6 +46,8 @@ Object {
|
||||
Object {
|
||||
"loader": "NODE_MODULES/babel-loader/lib/index.js",
|
||||
"options": Object {
|
||||
"babelrc": false,
|
||||
"configFile": false,
|
||||
"plugins": Array [
|
||||
"NODE_MODULES/@babel/plugin-transform-shorthand-properties/lib/index.js",
|
||||
"NODE_MODULES/@babel/plugin-transform-block-scoping/lib/index.js",
|
||||
|
@ -4,17 +4,20 @@ import {
|
||||
getManagerMainTemplate,
|
||||
getPreviewMainTemplate,
|
||||
loadCustomBabelConfig,
|
||||
babelConfig,
|
||||
getStorybookBabelConfig,
|
||||
loadEnvs,
|
||||
Options,
|
||||
} from '@storybook/core-common';
|
||||
|
||||
export const babel = async (_: unknown, options: Options) => {
|
||||
const { configDir, presets } = options;
|
||||
if (options.features?.babelModeV7) {
|
||||
return presets.apply('babelDefault', {}, options);
|
||||
}
|
||||
|
||||
return loadCustomBabelConfig(
|
||||
configDir,
|
||||
() => presets.apply('babelDefault', babelConfig(), options) as any
|
||||
() => presets.apply('babelDefault', getStorybookBabelConfig(), options) as any
|
||||
);
|
||||
};
|
||||
|
||||
|
@ -1,25 +0,0 @@
|
||||
import { RuleSetRule } from 'webpack';
|
||||
import { getProjectRoot, babelConfig } from '@storybook/core-common';
|
||||
|
||||
const { plugins, presets } = babelConfig();
|
||||
|
||||
export const babelLoader: () => RuleSetRule = () => ({
|
||||
test: /\.(mjs|tsx?|jsx?)$/,
|
||||
use: [
|
||||
{
|
||||
loader: require.resolve('babel-loader'),
|
||||
options: {
|
||||
sourceType: 'unambiguous',
|
||||
presets: [...presets, require.resolve('@babel/preset-react')],
|
||||
plugins: [
|
||||
...plugins,
|
||||
// Should only be done on manager. Template literals are not meant to be
|
||||
// transformed for frameworks like ember
|
||||
require.resolve('@babel/plugin-transform-template-literals'),
|
||||
],
|
||||
},
|
||||
},
|
||||
],
|
||||
include: [getProjectRoot()],
|
||||
exclude: [/node_modules/, /dist/],
|
||||
});
|
@ -70,8 +70,6 @@ const deprecatedDefinedRefDisabled = deprecate(
|
||||
|
||||
export async function getManagerWebpackConfig(options: Options): Promise<Configuration> {
|
||||
const { presets } = options;
|
||||
const typescriptOptions = await presets.apply('typescript', {}, options);
|
||||
const babelOptions = await presets.apply('babel', {}, { ...options, typescriptOptions });
|
||||
|
||||
const definedRefs: Record<string, any> | undefined = await presets.apply(
|
||||
'refs',
|
||||
@ -145,5 +143,5 @@ export async function getManagerWebpackConfig(options: Options): Promise<Configu
|
||||
);
|
||||
}
|
||||
|
||||
return presets.apply('managerWebpack', {}, { ...options, babelOptions, entries, refs }) as any;
|
||||
return presets.apply('managerWebpack', {}, { ...options, entries, refs }) as any;
|
||||
}
|
||||
|
@ -1,195 +0,0 @@
|
||||
import path from 'path';
|
||||
import fse from 'fs-extra';
|
||||
import { DefinePlugin, Configuration, WebpackPluginInstance } from 'webpack';
|
||||
import Dotenv from 'dotenv-webpack';
|
||||
import HtmlWebpackPlugin from 'html-webpack-plugin';
|
||||
import CaseSensitivePathsPlugin from 'case-sensitive-paths-webpack-plugin';
|
||||
import PnpWebpackPlugin from 'pnp-webpack-plugin';
|
||||
import VirtualModulePlugin from 'webpack-virtual-modules';
|
||||
import TerserWebpackPlugin from 'terser-webpack-plugin';
|
||||
|
||||
import themingPaths from '@storybook/theming/paths';
|
||||
import uiPaths from '@storybook/ui/paths';
|
||||
|
||||
import readPackage from 'read-pkg-up';
|
||||
import {
|
||||
resolvePathInStorybookCache,
|
||||
stringifyEnvs,
|
||||
es6Transpiler,
|
||||
getManagerHeadTemplate,
|
||||
getManagerMainTemplate,
|
||||
Options,
|
||||
ManagerWebpackOptions,
|
||||
} from '@storybook/core-common';
|
||||
|
||||
import { babelLoader } from './babel-loader-manager';
|
||||
|
||||
export default async ({
|
||||
configDir,
|
||||
configType,
|
||||
docsMode,
|
||||
entries,
|
||||
refs,
|
||||
outputDir,
|
||||
previewUrl,
|
||||
versionCheck,
|
||||
releaseNotesData,
|
||||
presets,
|
||||
modern,
|
||||
}: Options & ManagerWebpackOptions): Promise<Configuration> => {
|
||||
const envs = await presets.apply<Record<string, string>>('env');
|
||||
const logLevel = await presets.apply('logLevel', undefined);
|
||||
const template = await presets.apply('managerMainTemplate', getManagerMainTemplate());
|
||||
|
||||
const headHtmlSnippet = await presets.apply(
|
||||
'managerHead',
|
||||
getManagerHeadTemplate(configDir, process.env)
|
||||
);
|
||||
const isProd = configType === 'PRODUCTION';
|
||||
const refsTemplate = fse.readFileSync(path.join(__dirname, 'virtualModuleRef.template.js'), {
|
||||
encoding: 'utf8',
|
||||
});
|
||||
const {
|
||||
packageJson: { version },
|
||||
} = await readPackage({ cwd: __dirname });
|
||||
|
||||
// @ts-ignore
|
||||
// const { BundleAnalyzerPlugin } = await import('webpack-bundle-analyzer').catch(() => ({}));
|
||||
|
||||
return {
|
||||
name: 'manager',
|
||||
mode: isProd ? 'production' : 'development',
|
||||
bail: isProd,
|
||||
devtool: false,
|
||||
entry: entries,
|
||||
output: {
|
||||
path: outputDir,
|
||||
filename: isProd ? '[name].[contenthash].manager.bundle.js' : '[name].manager.bundle.js',
|
||||
publicPath: '',
|
||||
},
|
||||
watchOptions: {
|
||||
ignored: /node_modules/,
|
||||
},
|
||||
plugins: [
|
||||
refs
|
||||
? ((new VirtualModulePlugin({
|
||||
[path.resolve(path.join(configDir, `generated-refs.js`))]: refsTemplate.replace(
|
||||
`'{{refs}}'`,
|
||||
JSON.stringify(refs)
|
||||
),
|
||||
}) as any) as WebpackPluginInstance)
|
||||
: null,
|
||||
(new HtmlWebpackPlugin({
|
||||
filename: `index.html`,
|
||||
// FIXME: `none` isn't a known option
|
||||
chunksSortMode: 'none' as any,
|
||||
alwaysWriteToDisk: true,
|
||||
inject: false,
|
||||
templateParameters: (compilation, files, options) => ({
|
||||
compilation,
|
||||
files,
|
||||
options,
|
||||
version,
|
||||
globals: {
|
||||
CONFIG_TYPE: configType,
|
||||
LOGLEVEL: logLevel,
|
||||
VERSIONCHECK: JSON.stringify(versionCheck),
|
||||
RELEASE_NOTES_DATA: JSON.stringify(releaseNotesData),
|
||||
DOCS_MODE: docsMode, // global docs mode
|
||||
PREVIEW_URL: previewUrl, // global preview URL
|
||||
},
|
||||
headHtmlSnippet,
|
||||
}),
|
||||
template,
|
||||
}) as any) as WebpackPluginInstance,
|
||||
(new CaseSensitivePathsPlugin() as any) as WebpackPluginInstance,
|
||||
(new Dotenv({ silent: true }) as any) as WebpackPluginInstance,
|
||||
// graphql sources check process variable
|
||||
new DefinePlugin({
|
||||
'process.env': stringifyEnvs(envs),
|
||||
NODE_ENV: JSON.stringify(envs.NODE_ENV),
|
||||
}) as WebpackPluginInstance,
|
||||
// isProd &&
|
||||
// BundleAnalyzerPlugin &&
|
||||
// new BundleAnalyzerPlugin({ analyzerMode: 'static', openAnalyzer: false }),
|
||||
].filter(Boolean),
|
||||
module: {
|
||||
rules: [
|
||||
babelLoader(),
|
||||
es6Transpiler() as any,
|
||||
{
|
||||
test: /\.css$/,
|
||||
use: [
|
||||
require.resolve('style-loader'),
|
||||
{
|
||||
loader: require.resolve('css-loader'),
|
||||
options: {
|
||||
importLoaders: 1,
|
||||
},
|
||||
},
|
||||
],
|
||||
},
|
||||
{
|
||||
test: /\.(svg|ico|jpg|jpeg|png|apng|gif|eot|otf|webp|ttf|woff|woff2|cur|ani|pdf)(\?.*)?$/,
|
||||
loader: require.resolve('file-loader'),
|
||||
options: {
|
||||
name: isProd
|
||||
? 'static/media/[name].[contenthash:8].[ext]'
|
||||
: 'static/media/[path][name].[ext]',
|
||||
},
|
||||
},
|
||||
{
|
||||
test: /\.(mp4|webm|wav|mp3|m4a|aac|oga)(\?.*)?$/,
|
||||
loader: require.resolve('url-loader'),
|
||||
options: {
|
||||
limit: 10000,
|
||||
name: isProd
|
||||
? 'static/media/[name].[contenthash:8].[ext]'
|
||||
: 'static/media/[path][name].[ext]',
|
||||
},
|
||||
},
|
||||
],
|
||||
},
|
||||
resolve: {
|
||||
extensions: ['.mjs', '.js', '.jsx', '.json', '.cjs', '.ts', '.tsx'],
|
||||
modules: ['node_modules'].concat(envs.NODE_PATH || []),
|
||||
mainFields: [modern ? 'sbmodern' : null, 'browser', 'module', 'main'].filter(Boolean),
|
||||
alias: {
|
||||
...themingPaths,
|
||||
...uiPaths,
|
||||
},
|
||||
plugins: [
|
||||
// Transparently resolve packages via PnP when needed; noop otherwise
|
||||
PnpWebpackPlugin,
|
||||
],
|
||||
},
|
||||
resolveLoader: {
|
||||
plugins: [PnpWebpackPlugin.moduleLoader(module)],
|
||||
},
|
||||
recordsPath: resolvePathInStorybookCache('public/records.json'),
|
||||
performance: {
|
||||
hints: false,
|
||||
},
|
||||
optimization: {
|
||||
splitChunks: {
|
||||
chunks: 'all',
|
||||
},
|
||||
runtimeChunk: true,
|
||||
sideEffects: true,
|
||||
usedExports: true,
|
||||
concatenateModules: true,
|
||||
minimizer: isProd
|
||||
? [
|
||||
new TerserWebpackPlugin({
|
||||
parallel: true,
|
||||
terserOptions: {
|
||||
mangle: false,
|
||||
sourceMap: true,
|
||||
keep_fnames: true,
|
||||
},
|
||||
}),
|
||||
]
|
||||
: [],
|
||||
},
|
||||
};
|
||||
};
|
29
lib/manager-webpack4/src/presets/babel-loader-manager.ts
Normal file
29
lib/manager-webpack4/src/presets/babel-loader-manager.ts
Normal file
@ -0,0 +1,29 @@
|
||||
import { RuleSetRule } from 'webpack';
|
||||
import { getProjectRoot, getStorybookBabelConfig } from '@storybook/core-common';
|
||||
|
||||
export const babelLoader = () => {
|
||||
const { plugins, presets } = getStorybookBabelConfig();
|
||||
|
||||
return {
|
||||
test: /\.(mjs|tsx?|jsx?)$/,
|
||||
use: [
|
||||
{
|
||||
loader: require.resolve('babel-loader'),
|
||||
options: {
|
||||
sourceType: 'unambiguous',
|
||||
presets: [...presets, require.resolve('@babel/preset-react')],
|
||||
plugins: [
|
||||
...plugins,
|
||||
// Should only be done on manager. Template literals are not meant to be
|
||||
// transformed for frameworks like ember
|
||||
require.resolve('@babel/plugin-transform-template-literals'),
|
||||
],
|
||||
babelrc: false,
|
||||
configFile: false,
|
||||
},
|
||||
},
|
||||
],
|
||||
include: [getProjectRoot()],
|
||||
exclude: [/node_modules/, /dist/],
|
||||
} as RuleSetRule;
|
||||
};
|
@ -1,12 +1,204 @@
|
||||
import { Configuration } from 'webpack';
|
||||
import { loadManagerOrAddonsFile, ManagerWebpackOptions, Options } from '@storybook/core-common';
|
||||
import createDevConfig from '../manager-webpack.config';
|
||||
import path from 'path';
|
||||
import fse from 'fs-extra';
|
||||
import { DefinePlugin, Configuration, WebpackPluginInstance } from 'webpack';
|
||||
import Dotenv from 'dotenv-webpack';
|
||||
import HtmlWebpackPlugin from 'html-webpack-plugin';
|
||||
import CaseSensitivePathsPlugin from 'case-sensitive-paths-webpack-plugin';
|
||||
import PnpWebpackPlugin from 'pnp-webpack-plugin';
|
||||
import VirtualModulePlugin from 'webpack-virtual-modules';
|
||||
import TerserWebpackPlugin from 'terser-webpack-plugin';
|
||||
|
||||
import themingPaths from '@storybook/theming/paths';
|
||||
import uiPaths from '@storybook/ui/paths';
|
||||
|
||||
import readPackage from 'read-pkg-up';
|
||||
import {
|
||||
loadManagerOrAddonsFile,
|
||||
resolvePathInStorybookCache,
|
||||
stringifyEnvs,
|
||||
es6Transpiler,
|
||||
getManagerHeadTemplate,
|
||||
getManagerMainTemplate,
|
||||
Options,
|
||||
ManagerWebpackOptions,
|
||||
} from '@storybook/core-common';
|
||||
|
||||
import { babelLoader } from './babel-loader-manager';
|
||||
|
||||
export async function managerWebpack(
|
||||
_: Configuration,
|
||||
options: Options & ManagerWebpackOptions
|
||||
{
|
||||
configDir,
|
||||
configType,
|
||||
docsMode,
|
||||
entries,
|
||||
refs,
|
||||
outputDir,
|
||||
previewUrl,
|
||||
versionCheck,
|
||||
releaseNotesData,
|
||||
presets,
|
||||
modern,
|
||||
}: Options & ManagerWebpackOptions
|
||||
): Promise<Configuration> {
|
||||
return createDevConfig(options);
|
||||
const envs = await presets.apply<Record<string, string>>('env');
|
||||
const logLevel = await presets.apply('logLevel', undefined);
|
||||
const template = await presets.apply('managerMainTemplate', getManagerMainTemplate());
|
||||
|
||||
const headHtmlSnippet = await presets.apply(
|
||||
'managerHead',
|
||||
getManagerHeadTemplate(configDir, process.env)
|
||||
);
|
||||
const isProd = configType === 'PRODUCTION';
|
||||
const refsTemplate = fse.readFileSync(
|
||||
path.join(__dirname, '..', 'virtualModuleRef.template.js'),
|
||||
{
|
||||
encoding: 'utf8',
|
||||
}
|
||||
);
|
||||
const {
|
||||
packageJson: { version },
|
||||
} = await readPackage({ cwd: __dirname });
|
||||
|
||||
// @ts-ignore
|
||||
// const { BundleAnalyzerPlugin } = await import('webpack-bundle-analyzer').catch(() => ({}));
|
||||
|
||||
return {
|
||||
name: 'manager',
|
||||
mode: isProd ? 'production' : 'development',
|
||||
bail: isProd,
|
||||
devtool: false,
|
||||
entry: entries,
|
||||
output: {
|
||||
path: outputDir,
|
||||
filename: isProd ? '[name].[contenthash].manager.bundle.js' : '[name].manager.bundle.js',
|
||||
publicPath: '',
|
||||
},
|
||||
watchOptions: {
|
||||
ignored: /node_modules/,
|
||||
},
|
||||
plugins: [
|
||||
refs
|
||||
? ((new VirtualModulePlugin({
|
||||
[path.resolve(path.join(configDir, `generated-refs.js`))]: refsTemplate.replace(
|
||||
`'{{refs}}'`,
|
||||
JSON.stringify(refs)
|
||||
),
|
||||
}) as any) as WebpackPluginInstance)
|
||||
: null,
|
||||
(new HtmlWebpackPlugin({
|
||||
filename: `index.html`,
|
||||
// FIXME: `none` isn't a known option
|
||||
chunksSortMode: 'none' as any,
|
||||
alwaysWriteToDisk: true,
|
||||
inject: false,
|
||||
templateParameters: (compilation, files, options) => ({
|
||||
compilation,
|
||||
files,
|
||||
options,
|
||||
version,
|
||||
globals: {
|
||||
CONFIG_TYPE: configType,
|
||||
LOGLEVEL: logLevel,
|
||||
VERSIONCHECK: JSON.stringify(versionCheck),
|
||||
RELEASE_NOTES_DATA: JSON.stringify(releaseNotesData),
|
||||
DOCS_MODE: docsMode, // global docs mode
|
||||
PREVIEW_URL: previewUrl, // global preview URL
|
||||
},
|
||||
headHtmlSnippet,
|
||||
}),
|
||||
template,
|
||||
}) as any) as WebpackPluginInstance,
|
||||
(new CaseSensitivePathsPlugin() as any) as WebpackPluginInstance,
|
||||
(new Dotenv({ silent: true }) as any) as WebpackPluginInstance,
|
||||
// graphql sources check process variable
|
||||
new DefinePlugin({
|
||||
'process.env': stringifyEnvs(envs),
|
||||
NODE_ENV: JSON.stringify(envs.NODE_ENV),
|
||||
}) as WebpackPluginInstance,
|
||||
// isProd &&
|
||||
// BundleAnalyzerPlugin &&
|
||||
// new BundleAnalyzerPlugin({ analyzerMode: 'static', openAnalyzer: false }),
|
||||
].filter(Boolean),
|
||||
module: {
|
||||
rules: [
|
||||
babelLoader(),
|
||||
es6Transpiler() as any,
|
||||
{
|
||||
test: /\.css$/,
|
||||
use: [
|
||||
require.resolve('style-loader'),
|
||||
{
|
||||
loader: require.resolve('css-loader'),
|
||||
options: {
|
||||
importLoaders: 1,
|
||||
},
|
||||
},
|
||||
],
|
||||
},
|
||||
{
|
||||
test: /\.(svg|ico|jpg|jpeg|png|apng|gif|eot|otf|webp|ttf|woff|woff2|cur|ani|pdf)(\?.*)?$/,
|
||||
loader: require.resolve('file-loader'),
|
||||
options: {
|
||||
name: isProd
|
||||
? 'static/media/[name].[contenthash:8].[ext]'
|
||||
: 'static/media/[path][name].[ext]',
|
||||
},
|
||||
},
|
||||
{
|
||||
test: /\.(mp4|webm|wav|mp3|m4a|aac|oga)(\?.*)?$/,
|
||||
loader: require.resolve('url-loader'),
|
||||
options: {
|
||||
limit: 10000,
|
||||
name: isProd
|
||||
? 'static/media/[name].[contenthash:8].[ext]'
|
||||
: 'static/media/[path][name].[ext]',
|
||||
},
|
||||
},
|
||||
],
|
||||
},
|
||||
resolve: {
|
||||
extensions: ['.mjs', '.js', '.jsx', '.json', '.cjs', '.ts', '.tsx'],
|
||||
modules: ['node_modules'].concat(envs.NODE_PATH || []),
|
||||
mainFields: [modern ? 'sbmodern' : null, 'browser', 'module', 'main'].filter(Boolean),
|
||||
alias: {
|
||||
...themingPaths,
|
||||
...uiPaths,
|
||||
},
|
||||
plugins: [
|
||||
// Transparently resolve packages via PnP when needed; noop otherwise
|
||||
PnpWebpackPlugin,
|
||||
],
|
||||
},
|
||||
resolveLoader: {
|
||||
plugins: [PnpWebpackPlugin.moduleLoader(module)],
|
||||
},
|
||||
recordsPath: resolvePathInStorybookCache('public/records.json'),
|
||||
performance: {
|
||||
hints: false,
|
||||
},
|
||||
optimization: {
|
||||
splitChunks: {
|
||||
chunks: 'all',
|
||||
},
|
||||
runtimeChunk: true,
|
||||
sideEffects: true,
|
||||
usedExports: true,
|
||||
concatenateModules: true,
|
||||
minimizer: isProd
|
||||
? [
|
||||
new TerserWebpackPlugin({
|
||||
parallel: true,
|
||||
terserOptions: {
|
||||
mangle: false,
|
||||
sourceMap: true,
|
||||
keep_fnames: true,
|
||||
},
|
||||
}),
|
||||
]
|
||||
: [],
|
||||
},
|
||||
};
|
||||
}
|
||||
|
||||
export async function managerEntries(
|
||||
|
@ -1,25 +0,0 @@
|
||||
import { RuleSetRule } from 'webpack';
|
||||
import { getProjectRoot, babelConfig } from '@storybook/core-common';
|
||||
|
||||
const { plugins, presets } = babelConfig();
|
||||
|
||||
export const babelLoader: () => RuleSetRule = () => ({
|
||||
test: /\.(mjs|tsx?|jsx?)$/,
|
||||
use: [
|
||||
{
|
||||
loader: require.resolve('babel-loader'),
|
||||
options: {
|
||||
sourceType: 'unambiguous',
|
||||
presets: [...presets, require.resolve('@babel/preset-react')],
|
||||
plugins: [
|
||||
...plugins,
|
||||
// Should only be done on manager. Template literals are not meant to be
|
||||
// transformed for frameworks like ember
|
||||
require.resolve('@babel/plugin-transform-template-literals'),
|
||||
],
|
||||
},
|
||||
},
|
||||
],
|
||||
include: [getProjectRoot()],
|
||||
exclude: [/node_modules/, /dist/],
|
||||
});
|
@ -70,8 +70,6 @@ const deprecatedDefinedRefDisabled = deprecate(
|
||||
|
||||
export async function getManagerWebpackConfig(options: Options): Promise<Configuration> {
|
||||
const { presets } = options;
|
||||
const typescriptOptions = await presets.apply('typescript', {}, options);
|
||||
const babelOptions = await presets.apply('babel', {}, { ...options, typescriptOptions });
|
||||
|
||||
const definedRefs: Record<string, any> | undefined = await presets.apply(
|
||||
'refs',
|
||||
@ -145,5 +143,5 @@ export async function getManagerWebpackConfig(options: Options): Promise<Configu
|
||||
);
|
||||
}
|
||||
|
||||
return presets.apply('managerWebpack', {}, { ...options, babelOptions, entries, refs }) as any;
|
||||
return presets.apply('managerWebpack', {}, { ...options, entries, refs }) as any;
|
||||
}
|
||||
|
@ -1,188 +0,0 @@
|
||||
import path from 'path';
|
||||
import fse from 'fs-extra';
|
||||
import { DefinePlugin, Configuration, WebpackPluginInstance } from 'webpack';
|
||||
import Dotenv from 'dotenv-webpack';
|
||||
import HtmlWebpackPlugin from 'html-webpack-plugin';
|
||||
import CaseSensitivePathsPlugin from 'case-sensitive-paths-webpack-plugin';
|
||||
import VirtualModulePlugin from 'webpack-virtual-modules';
|
||||
import TerserWebpackPlugin from 'terser-webpack-plugin';
|
||||
|
||||
import themingPaths from '@storybook/theming/paths';
|
||||
import uiPaths from '@storybook/ui/paths';
|
||||
|
||||
import readPackage from 'read-pkg-up';
|
||||
import {
|
||||
resolvePathInStorybookCache,
|
||||
stringifyEnvs,
|
||||
es6Transpiler,
|
||||
getManagerHeadTemplate,
|
||||
getManagerMainTemplate,
|
||||
Options,
|
||||
ManagerWebpackOptions,
|
||||
hasDotenv,
|
||||
} from '@storybook/core-common';
|
||||
|
||||
import { babelLoader } from './babel-loader-manager';
|
||||
|
||||
export default async ({
|
||||
configDir,
|
||||
configType,
|
||||
docsMode,
|
||||
entries,
|
||||
refs,
|
||||
outputDir,
|
||||
previewUrl,
|
||||
versionCheck,
|
||||
releaseNotesData,
|
||||
presets,
|
||||
modern,
|
||||
}: Options & ManagerWebpackOptions): Promise<Configuration> => {
|
||||
const envs = await presets.apply<Record<string, string>>('env');
|
||||
const logLevel = await presets.apply('logLevel', undefined);
|
||||
const template = await presets.apply('managerMainTemplate', getManagerMainTemplate());
|
||||
|
||||
const headHtmlSnippet = await presets.apply(
|
||||
'managerHead',
|
||||
getManagerHeadTemplate(configDir, process.env)
|
||||
);
|
||||
const isProd = configType === 'PRODUCTION';
|
||||
const refsTemplate = fse.readFileSync(path.join(__dirname, 'virtualModuleRef.template.js'), {
|
||||
encoding: 'utf8',
|
||||
});
|
||||
const {
|
||||
packageJson: { version },
|
||||
} = await readPackage({ cwd: __dirname });
|
||||
|
||||
// @ts-ignore
|
||||
// const { BundleAnalyzerPlugin } = await import('webpack-bundle-analyzer').catch(() => ({}));
|
||||
|
||||
return {
|
||||
name: 'manager',
|
||||
mode: isProd ? 'production' : 'development',
|
||||
bail: isProd,
|
||||
devtool: false,
|
||||
entry: entries,
|
||||
output: {
|
||||
path: outputDir,
|
||||
filename: isProd ? '[name].[contenthash].manager.bundle.js' : '[name].manager.bundle.js',
|
||||
publicPath: '',
|
||||
},
|
||||
watchOptions: {
|
||||
ignored: /node_modules/,
|
||||
},
|
||||
plugins: [
|
||||
refs
|
||||
? ((new VirtualModulePlugin({
|
||||
[path.resolve(path.join(configDir, `generated-refs.js`))]: refsTemplate.replace(
|
||||
`'{{refs}}'`,
|
||||
JSON.stringify(refs)
|
||||
),
|
||||
}) as any) as WebpackPluginInstance)
|
||||
: null,
|
||||
(new HtmlWebpackPlugin({
|
||||
filename: `index.html`,
|
||||
// FIXME: `none` isn't a known option
|
||||
chunksSortMode: 'none' as any,
|
||||
alwaysWriteToDisk: true,
|
||||
inject: false,
|
||||
templateParameters: (compilation, files, options) => ({
|
||||
compilation,
|
||||
files,
|
||||
options,
|
||||
version,
|
||||
globals: {
|
||||
CONFIG_TYPE: configType,
|
||||
LOGLEVEL: logLevel,
|
||||
VERSIONCHECK: JSON.stringify(versionCheck),
|
||||
RELEASE_NOTES_DATA: JSON.stringify(releaseNotesData),
|
||||
DOCS_MODE: docsMode, // global docs mode
|
||||
PREVIEW_URL: previewUrl, // global preview URL
|
||||
},
|
||||
headHtmlSnippet,
|
||||
}),
|
||||
template,
|
||||
}) as any) as WebpackPluginInstance,
|
||||
(new CaseSensitivePathsPlugin() as any) as WebpackPluginInstance,
|
||||
hasDotenv() ? new Dotenv({ silent: true }) : null,
|
||||
// graphql sources check process variable
|
||||
new DefinePlugin({
|
||||
'process.env': stringifyEnvs(envs),
|
||||
NODE_ENV: JSON.stringify(envs.NODE_ENV),
|
||||
}) as WebpackPluginInstance,
|
||||
// isProd &&
|
||||
// BundleAnalyzerPlugin &&
|
||||
// new BundleAnalyzerPlugin({ analyzerMode: 'static', openAnalyzer: false }),
|
||||
].filter(Boolean),
|
||||
module: {
|
||||
rules: [
|
||||
babelLoader(),
|
||||
es6Transpiler() as any,
|
||||
{
|
||||
test: /\.css$/,
|
||||
use: [
|
||||
require.resolve('style-loader'),
|
||||
{
|
||||
loader: require.resolve('css-loader'),
|
||||
options: {
|
||||
importLoaders: 1,
|
||||
},
|
||||
},
|
||||
],
|
||||
},
|
||||
{
|
||||
test: /\.(svg|ico|jpg|jpeg|png|apng|gif|eot|otf|webp|ttf|woff|woff2|cur|ani|pdf)(\?.*)?$/,
|
||||
loader: require.resolve('file-loader'),
|
||||
options: {
|
||||
name: isProd
|
||||
? 'static/media/[name].[contenthash:8].[ext]'
|
||||
: 'static/media/[path][name].[ext]',
|
||||
},
|
||||
},
|
||||
{
|
||||
test: /\.(mp4|webm|wav|mp3|m4a|aac|oga)(\?.*)?$/,
|
||||
loader: require.resolve('url-loader'),
|
||||
options: {
|
||||
limit: 10000,
|
||||
name: isProd
|
||||
? 'static/media/[name].[contenthash:8].[ext]'
|
||||
: 'static/media/[path][name].[ext]',
|
||||
},
|
||||
},
|
||||
],
|
||||
},
|
||||
resolve: {
|
||||
extensions: ['.mjs', '.js', '.jsx', '.json', '.cjs', '.ts', '.tsx'],
|
||||
modules: ['node_modules'].concat(envs.NODE_PATH || []),
|
||||
mainFields: [modern ? 'sbmodern' : null, 'browser', 'module', 'main'].filter(Boolean),
|
||||
alias: {
|
||||
...themingPaths,
|
||||
...uiPaths,
|
||||
},
|
||||
},
|
||||
recordsPath: resolvePathInStorybookCache('public/records.json'),
|
||||
performance: {
|
||||
hints: false,
|
||||
},
|
||||
optimization: {
|
||||
splitChunks: {
|
||||
chunks: 'all',
|
||||
},
|
||||
runtimeChunk: true,
|
||||
sideEffects: true,
|
||||
usedExports: true,
|
||||
concatenateModules: true,
|
||||
minimizer: isProd
|
||||
? [
|
||||
new TerserWebpackPlugin({
|
||||
parallel: true,
|
||||
terserOptions: {
|
||||
mangle: false,
|
||||
sourceMap: true,
|
||||
keep_fnames: true,
|
||||
},
|
||||
}),
|
||||
]
|
||||
: [],
|
||||
},
|
||||
};
|
||||
};
|
29
lib/manager-webpack5/src/presets/babel-loader-manager.ts
Normal file
29
lib/manager-webpack5/src/presets/babel-loader-manager.ts
Normal file
@ -0,0 +1,29 @@
|
||||
import { RuleSetRule } from 'webpack';
|
||||
import { getProjectRoot, getStorybookBabelConfig } from '@storybook/core-common';
|
||||
|
||||
export const babelLoader = () => {
|
||||
const { plugins, presets } = getStorybookBabelConfig();
|
||||
|
||||
return {
|
||||
test: /\.(mjs|tsx?|jsx?)$/,
|
||||
use: [
|
||||
{
|
||||
loader: require.resolve('babel-loader'),
|
||||
options: {
|
||||
sourceType: 'unambiguous',
|
||||
presets: [...presets, require.resolve('@babel/preset-react')],
|
||||
plugins: [
|
||||
...plugins,
|
||||
// Should only be done on manager. Template literals are not meant to be
|
||||
// transformed for frameworks like ember
|
||||
require.resolve('@babel/plugin-transform-template-literals'),
|
||||
],
|
||||
babelrc: false,
|
||||
configFile: false,
|
||||
},
|
||||
},
|
||||
],
|
||||
include: [getProjectRoot()],
|
||||
exclude: [/node_modules/, /dist/],
|
||||
} as RuleSetRule;
|
||||
};
|
@ -1,12 +1,197 @@
|
||||
import { Configuration } from 'webpack';
|
||||
import { loadManagerOrAddonsFile, ManagerWebpackOptions, Options } from '@storybook/core-common';
|
||||
import createDevConfig from '../manager-webpack.config';
|
||||
import path from 'path';
|
||||
import fse from 'fs-extra';
|
||||
import { DefinePlugin, Configuration, WebpackPluginInstance } from 'webpack';
|
||||
import Dotenv from 'dotenv-webpack';
|
||||
import HtmlWebpackPlugin from 'html-webpack-plugin';
|
||||
import CaseSensitivePathsPlugin from 'case-sensitive-paths-webpack-plugin';
|
||||
import VirtualModulePlugin from 'webpack-virtual-modules';
|
||||
import TerserWebpackPlugin from 'terser-webpack-plugin';
|
||||
|
||||
import themingPaths from '@storybook/theming/paths';
|
||||
import uiPaths from '@storybook/ui/paths';
|
||||
|
||||
import readPackage from 'read-pkg-up';
|
||||
import {
|
||||
loadManagerOrAddonsFile,
|
||||
resolvePathInStorybookCache,
|
||||
stringifyEnvs,
|
||||
es6Transpiler,
|
||||
getManagerHeadTemplate,
|
||||
getManagerMainTemplate,
|
||||
Options,
|
||||
ManagerWebpackOptions,
|
||||
hasDotenv,
|
||||
} from '@storybook/core-common';
|
||||
|
||||
import { babelLoader } from './babel-loader-manager';
|
||||
|
||||
export async function managerWebpack(
|
||||
_: Configuration,
|
||||
options: Options & ManagerWebpackOptions
|
||||
{
|
||||
configDir,
|
||||
configType,
|
||||
docsMode,
|
||||
entries,
|
||||
refs,
|
||||
outputDir,
|
||||
previewUrl,
|
||||
versionCheck,
|
||||
releaseNotesData,
|
||||
presets,
|
||||
modern,
|
||||
}: Options & ManagerWebpackOptions
|
||||
): Promise<Configuration> {
|
||||
return createDevConfig(options);
|
||||
const envs = await presets.apply<Record<string, string>>('env');
|
||||
const logLevel = await presets.apply('logLevel', undefined);
|
||||
const template = await presets.apply('managerMainTemplate', getManagerMainTemplate());
|
||||
|
||||
const headHtmlSnippet = await presets.apply(
|
||||
'managerHead',
|
||||
getManagerHeadTemplate(configDir, process.env)
|
||||
);
|
||||
const isProd = configType === 'PRODUCTION';
|
||||
const refsTemplate = fse.readFileSync(
|
||||
path.join(__dirname, '..', 'virtualModuleRef.template.js'),
|
||||
{
|
||||
encoding: 'utf8',
|
||||
}
|
||||
);
|
||||
const {
|
||||
packageJson: { version },
|
||||
} = await readPackage({ cwd: __dirname });
|
||||
|
||||
// @ts-ignore
|
||||
// const { BundleAnalyzerPlugin } = await import('webpack-bundle-analyzer').catch(() => ({}));
|
||||
|
||||
return {
|
||||
name: 'manager',
|
||||
mode: isProd ? 'production' : 'development',
|
||||
bail: isProd,
|
||||
devtool: false,
|
||||
entry: entries,
|
||||
output: {
|
||||
path: outputDir,
|
||||
filename: isProd ? '[name].[contenthash].manager.bundle.js' : '[name].manager.bundle.js',
|
||||
publicPath: '',
|
||||
},
|
||||
watchOptions: {
|
||||
ignored: /node_modules/,
|
||||
},
|
||||
plugins: [
|
||||
refs
|
||||
? ((new VirtualModulePlugin({
|
||||
[path.resolve(path.join(configDir, `generated-refs.js`))]: refsTemplate.replace(
|
||||
`'{{refs}}'`,
|
||||
JSON.stringify(refs)
|
||||
),
|
||||
}) as any) as WebpackPluginInstance)
|
||||
: null,
|
||||
(new HtmlWebpackPlugin({
|
||||
filename: `index.html`,
|
||||
// FIXME: `none` isn't a known option
|
||||
chunksSortMode: 'none' as any,
|
||||
alwaysWriteToDisk: true,
|
||||
inject: false,
|
||||
templateParameters: (compilation, files, options) => ({
|
||||
compilation,
|
||||
files,
|
||||
options,
|
||||
version,
|
||||
globals: {
|
||||
CONFIG_TYPE: configType,
|
||||
LOGLEVEL: logLevel,
|
||||
VERSIONCHECK: JSON.stringify(versionCheck),
|
||||
RELEASE_NOTES_DATA: JSON.stringify(releaseNotesData),
|
||||
DOCS_MODE: docsMode, // global docs mode
|
||||
PREVIEW_URL: previewUrl, // global preview URL
|
||||
},
|
||||
headHtmlSnippet,
|
||||
}),
|
||||
template,
|
||||
}) as any) as WebpackPluginInstance,
|
||||
(new CaseSensitivePathsPlugin() as any) as WebpackPluginInstance,
|
||||
hasDotenv() ? new Dotenv({ silent: true }) : null,
|
||||
// graphql sources check process variable
|
||||
new DefinePlugin({
|
||||
'process.env': stringifyEnvs(envs),
|
||||
NODE_ENV: JSON.stringify(envs.NODE_ENV),
|
||||
}) as WebpackPluginInstance,
|
||||
// isProd &&
|
||||
// BundleAnalyzerPlugin &&
|
||||
// new BundleAnalyzerPlugin({ analyzerMode: 'static', openAnalyzer: false }),
|
||||
].filter(Boolean),
|
||||
module: {
|
||||
rules: [
|
||||
babelLoader(),
|
||||
es6Transpiler() as any,
|
||||
{
|
||||
test: /\.css$/,
|
||||
use: [
|
||||
require.resolve('style-loader'),
|
||||
{
|
||||
loader: require.resolve('css-loader'),
|
||||
options: {
|
||||
importLoaders: 1,
|
||||
},
|
||||
},
|
||||
],
|
||||
},
|
||||
{
|
||||
test: /\.(svg|ico|jpg|jpeg|png|apng|gif|eot|otf|webp|ttf|woff|woff2|cur|ani|pdf)(\?.*)?$/,
|
||||
loader: require.resolve('file-loader'),
|
||||
options: {
|
||||
name: isProd
|
||||
? 'static/media/[name].[contenthash:8].[ext]'
|
||||
: 'static/media/[path][name].[ext]',
|
||||
},
|
||||
},
|
||||
{
|
||||
test: /\.(mp4|webm|wav|mp3|m4a|aac|oga)(\?.*)?$/,
|
||||
loader: require.resolve('url-loader'),
|
||||
options: {
|
||||
limit: 10000,
|
||||
name: isProd
|
||||
? 'static/media/[name].[contenthash:8].[ext]'
|
||||
: 'static/media/[path][name].[ext]',
|
||||
},
|
||||
},
|
||||
],
|
||||
},
|
||||
resolve: {
|
||||
extensions: ['.mjs', '.js', '.jsx', '.json', '.cjs', '.ts', '.tsx'],
|
||||
modules: ['node_modules'].concat(envs.NODE_PATH || []),
|
||||
mainFields: [modern ? 'sbmodern' : null, 'browser', 'module', 'main'].filter(Boolean),
|
||||
alias: {
|
||||
...themingPaths,
|
||||
...uiPaths,
|
||||
},
|
||||
},
|
||||
recordsPath: resolvePathInStorybookCache('public/records.json'),
|
||||
performance: {
|
||||
hints: false,
|
||||
},
|
||||
optimization: {
|
||||
splitChunks: {
|
||||
chunks: 'all',
|
||||
},
|
||||
runtimeChunk: true,
|
||||
sideEffects: true,
|
||||
usedExports: true,
|
||||
concatenateModules: true,
|
||||
minimizer: isProd
|
||||
? [
|
||||
new TerserWebpackPlugin({
|
||||
parallel: true,
|
||||
terserOptions: {
|
||||
mangle: false,
|
||||
sourceMap: true,
|
||||
keep_fnames: true,
|
||||
},
|
||||
}),
|
||||
]
|
||||
: [],
|
||||
},
|
||||
};
|
||||
}
|
||||
|
||||
export async function managerEntries(
|
||||
|
@ -27,3 +27,15 @@ export const logger = {
|
||||
};
|
||||
|
||||
export { npmLog as instance };
|
||||
|
||||
const logged = new Set();
|
||||
export const once = (type: 'info' | 'warn' | 'error') => (message: string) => {
|
||||
if (logged.has(message)) return undefined;
|
||||
logged.add(message);
|
||||
return logger[type](message);
|
||||
};
|
||||
|
||||
once.clear = () => logged.clear();
|
||||
once.info = once('info');
|
||||
once.warn = once('warn');
|
||||
once.error = once('error');
|
||||
|
@ -7775,6 +7775,7 @@ __metadata:
|
||||
"@babel/preset-env": ^7.12.11
|
||||
"@storybook/client-api": 6.4.0-alpha.32
|
||||
"@storybook/codemod": 6.4.0-alpha.32
|
||||
"@storybook/core-common": 6.4.0-alpha.32
|
||||
"@storybook/node-logger": 6.4.0-alpha.32
|
||||
"@storybook/semver": ^7.3.2
|
||||
"@types/cross-spawn": ^6.0.2
|
||||
|
Loading…
x
Reference in New Issue
Block a user