-
-
Notifications
You must be signed in to change notification settings - Fork 375
Config Recipes
See Webpack Config Helpers for reference on helpers argument.
To customize babel config babel-loader
options have to be changed.
export default (config, env, helpers) => {
let { rule } = helpers.getLoadersByName(config, 'babel-loader')[0];
let babelConfig = rule.options;
babelConfig.plugins.push(require.resolve('my-chosen-plugin'));
babelConfig.env = {
// ...some settings...
}
};
export default (config, env, helpers) => {
if (env.isProd) {
config.devtool = false;
}
}
export default (config, env, helpers) => {
if (env.ssr) {
// ...do sth for prerender...
} else {
// ...do sth for regular bundles...
}
if (env.production) {
// ...do sth for production...
} else {
// ...do sth for watch mode...
}
}
export default (config, env, helpers) => {
// devServer doesn't exist on production builds
if (!env.isProd) {
config.devServer.proxy = [
{
path: '/api/**',
target: 'http://api.example.com',
// ...any other stuff...
}
];
}
}
Each wrapper for plugin, loader or rule comes with it's position in array so that it can be easily removed.
export default (config, env, helpers) => {
let { index } = helpers.getPluginsByName(config, 'some-plugin')[0]
config.plugins.splice(index, 1)
};
This config will take all files (not folders) at the root of /src/assets
and copy them into the build folder (configurable using --dest
).
This means, /src/assets/robots.txt
will be copied to /build/robots.txt
and thus will be available at www.example.com/robots.txt
.
First: npm install copy-webpack-plugin@^6.0.0
import CopyWebpackPlugin from 'copy-webpack-plugin';
import path from "path";
export default (config, env, helpers) => {
config.plugins.push(
new CopyWebpackPlugin({
patterns: [{
from: '*',
context: path.resolve(__dirname, 'src/assets')
}],
}),
);
}
See also https://github.com/preactjs/preact-cli/issues/436#issuecomment-650964073.
It can sometimes be undesirable to use relative imports when you have a deeply nested directory structure, e.g., import ... from '../../../components/App.js';
. To make this easier, you may want to use absolute imports. These are the most common ways to use absolute imports; which you choose depends on personal preference:
-
import ... from 'src/components/App.js';
export default (config, env, helpers) => { config.resolve.alias.src = env.src; }
-
import ... from 'components/App.js';
export default (config, env, helpers) => { config.resolve.modules.push(env.src); }
If you'd like to reference and use environment variables in your application, you will need to use DefinePlugin
.
export default (config, env, helpers) => {
const { plugin } = helpers.getPluginsByName(config, 'DefinePlugin')[0];
plugin.definitions['process.env.MY_VARIABLE'] = JSON.stringify('my-value');
}
This will replace every usage of process.env.MY_VARIABLE
in your code with 'my-value'
.