debian-mirror-gitlab/config/webpack.config.js

541 lines
17 KiB
JavaScript
Raw Normal View History

2020-01-01 13:55:28 +05:30
const fs = require('fs');
2018-03-27 19:54:05 +05:30
const path = require('path');
const glob = require('glob');
const webpack = require('webpack');
2018-11-08 19:23:39 +05:30
const VueLoaderPlugin = require('vue-loader/lib/plugin');
2018-03-27 19:54:05 +05:30
const StatsWriterPlugin = require('webpack-stats-plugin').StatsWriterPlugin;
const CompressionPlugin = require('compression-webpack-plugin');
2018-11-08 19:23:39 +05:30
const MonacoWebpackPlugin = require('monaco-editor-webpack-plugin');
2018-03-27 19:54:05 +05:30
const BundleAnalyzerPlugin = require('webpack-bundle-analyzer').BundleAnalyzerPlugin;
2019-10-12 21:52:04 +05:30
const CopyWebpackPlugin = require('copy-webpack-plugin');
2020-01-01 13:55:28 +05:30
const vendorDllHash = require('./helpers/vendor_dll_hash');
2018-03-27 19:54:05 +05:30
const ROOT_PATH = path.resolve(__dirname, '..');
2020-01-01 13:55:28 +05:30
const VENDOR_DLL = process.env.WEBPACK_VENDOR_DLL && process.env.WEBPACK_VENDOR_DLL !== 'false';
2018-12-13 13:39:08 +05:30
const CACHE_PATH = process.env.WEBPACK_CACHE_PATH || path.join(ROOT_PATH, 'tmp/cache');
2018-03-27 19:54:05 +05:30
const IS_PRODUCTION = process.env.NODE_ENV === 'production';
2019-12-21 20:55:43 +05:30
const IS_DEV_SERVER = process.env.WEBPACK_DEV_SERVER === 'true';
2019-07-07 11:18:12 +05:30
const IS_EE = require('./helpers/is_ee_env');
2018-03-27 19:54:05 +05:30
const DEV_SERVER_HOST = process.env.DEV_SERVER_HOST || 'localhost';
const DEV_SERVER_PORT = parseInt(process.env.DEV_SERVER_PORT, 10) || 3808;
2018-11-08 19:23:39 +05:30
const DEV_SERVER_LIVERELOAD = IS_DEV_SERVER && process.env.DEV_SERVER_LIVERELOAD !== 'false';
2018-03-27 19:54:05 +05:30
const WEBPACK_REPORT = process.env.WEBPACK_REPORT;
2019-12-04 20:38:33 +05:30
const WEBPACK_MEMORY_TEST = process.env.WEBPACK_MEMORY_TEST;
2018-03-27 19:54:05 +05:30
const NO_COMPRESSION = process.env.NO_COMPRESSION;
2018-11-08 19:23:39 +05:30
const NO_SOURCEMAPS = process.env.NO_SOURCEMAPS;
const VUE_VERSION = require('vue/package.json').version;
const VUE_LOADER_VERSION = require('vue-loader/package.json').version;
2020-01-01 13:55:28 +05:30
const WEBPACK_VERSION = require('webpack/package.json').version;
2018-11-08 19:23:39 +05:30
const devtool = IS_PRODUCTION ? 'source-map' : 'cheap-module-eval-source-map';
2018-03-27 19:54:05 +05:30
let autoEntriesCount = 0;
let watchAutoEntries = [];
2018-10-15 14:42:47 +05:30
const defaultEntries = ['./main'];
2018-03-27 19:54:05 +05:30
function generateEntries() {
// generate automatic entry points
const autoEntries = {};
2018-10-15 14:42:47 +05:30
const autoEntriesMap = {};
2018-05-09 12:01:36 +05:30
const pageEntries = glob.sync('pages/**/index.js', {
cwd: path.join(ROOT_PATH, 'app/assets/javascripts'),
});
watchAutoEntries = [path.join(ROOT_PATH, 'app/assets/javascripts/pages/')];
2018-03-27 19:54:05 +05:30
function generateAutoEntries(path, prefix = '.') {
const chunkPath = path.replace(/\/index\.js$/, '');
const chunkName = chunkPath.replace(/\//g, '.');
2018-10-15 14:42:47 +05:30
autoEntriesMap[chunkName] = `${prefix}/${path}`;
2018-03-17 18:26:18 +05:30
}
2018-05-09 12:01:36 +05:30
pageEntries.forEach(path => generateAutoEntries(path));
2018-03-17 18:26:18 +05:30
2019-07-07 11:18:12 +05:30
if (IS_EE) {
const eePageEntries = glob.sync('pages/**/index.js', {
cwd: path.join(ROOT_PATH, 'ee/app/assets/javascripts'),
});
eePageEntries.forEach(path => generateAutoEntries(path, 'ee'));
watchAutoEntries.push(path.join(ROOT_PATH, 'ee/app/assets/javascripts/pages/'));
}
2018-10-15 14:42:47 +05:30
const autoEntryKeys = Object.keys(autoEntriesMap);
autoEntriesCount = autoEntryKeys.length;
// import ancestor entrypoints within their children
autoEntryKeys.forEach(entry => {
const entryPaths = [autoEntriesMap[entry]];
const segments = entry.split('.');
while (segments.pop()) {
const ancestor = segments.join('.');
if (autoEntryKeys.includes(ancestor)) {
entryPaths.unshift(autoEntriesMap[ancestor]);
}
}
autoEntries[entry] = defaultEntries.concat(entryPaths);
});
2018-03-27 19:54:05 +05:30
const manualEntries = {
2018-10-15 14:42:47 +05:30
default: defaultEntries,
2019-12-26 22:10:19 +05:30
sentry: './sentry/index.js',
2018-03-27 19:54:05 +05:30
};
return Object.assign(manualEntries, autoEntries);
}
2019-07-07 11:18:12 +05:30
const alias = {
'~': path.join(ROOT_PATH, 'app/assets/javascripts'),
emojis: path.join(ROOT_PATH, 'fixtures/emojis'),
empty_states: path.join(ROOT_PATH, 'app/views/shared/empty_states'),
icons: path.join(ROOT_PATH, 'app/views/shared/icons'),
images: path.join(ROOT_PATH, 'app/assets/images'),
vendor: path.join(ROOT_PATH, 'vendor/assets/javascripts'),
vue$: 'vue/dist/vue.esm.js',
spec: path.join(ROOT_PATH, 'spec/javascripts'),
2020-03-13 15:44:24 +05:30
jest: path.join(ROOT_PATH, 'spec/frontend'),
2019-07-07 11:18:12 +05:30
// the following resolves files which are different between CE and EE
ee_else_ce: path.join(ROOT_PATH, 'app/assets/javascripts'),
2019-10-12 21:52:04 +05:30
// override loader path for icons.svg so we do not duplicate this asset
'@gitlab/svgs/dist/icons.svg': path.join(
ROOT_PATH,
'app/assets/javascripts/lib/utils/icons_path.js',
),
2019-07-07 11:18:12 +05:30
};
if (IS_EE) {
Object.assign(alias, {
ee: path.join(ROOT_PATH, 'ee/app/assets/javascripts'),
2020-01-01 13:55:28 +05:30
ee_component: path.join(ROOT_PATH, 'ee/app/assets/javascripts'),
2019-07-07 11:18:12 +05:30
ee_empty_states: path.join(ROOT_PATH, 'ee/app/views/shared/empty_states'),
ee_icons: path.join(ROOT_PATH, 'ee/app/views/shared/icons'),
ee_images: path.join(ROOT_PATH, 'ee/app/assets/images'),
ee_spec: path.join(ROOT_PATH, 'ee/spec/javascripts'),
2020-03-13 15:44:24 +05:30
ee_jest: path.join(ROOT_PATH, 'ee/spec/frontend'),
2019-07-07 11:18:12 +05:30
ee_else_ce: path.join(ROOT_PATH, 'ee/app/assets/javascripts'),
});
}
2020-01-01 13:55:28 +05:30
let dll;
if (VENDOR_DLL && !IS_PRODUCTION) {
const dllHash = vendorDllHash();
const dllCachePath = path.join(ROOT_PATH, `tmp/cache/webpack-dlls/${dllHash}`);
2020-04-08 14:13:33 +05:30
dll = {
manifestPath: path.join(dllCachePath, 'vendor.dll.manifest.json'),
cacheFrom: dllCachePath,
cacheTo: path.join(ROOT_PATH, `public/assets/webpack/dll.${dllHash}/`),
publicPath: `dll.${dllHash}/vendor.dll.bundle.js`,
exists: null,
};
2020-01-01 13:55:28 +05:30
}
2018-11-08 19:23:39 +05:30
module.exports = {
2018-10-15 14:42:47 +05:30
mode: IS_PRODUCTION ? 'production' : 'development',
2018-03-27 19:54:05 +05:30
context: path.join(ROOT_PATH, 'app/assets/javascripts'),
entry: generateEntries,
2017-08-17 22:00:37 +05:30
output: {
path: path.join(ROOT_PATH, 'public/assets/webpack'),
publicPath: '/assets/webpack/',
2020-05-24 23:13:21 +05:30
filename: IS_PRODUCTION ? '[name].[contenthash:8].bundle.js' : '[name].bundle.js',
chunkFilename: IS_PRODUCTION ? '[name].[contenthash:8].chunk.js' : '[name].chunk.js',
2018-10-15 14:42:47 +05:30
globalObject: 'this', // allow HMR and web workers to play nice
},
2018-11-08 19:23:39 +05:30
resolve: {
2019-02-15 15:39:39 +05:30
extensions: ['.js', '.gql', '.graphql'],
2019-07-07 11:18:12 +05:30
alias,
2017-08-17 22:00:37 +05:30
},
module: {
2018-11-08 19:23:39 +05:30
strictExportPresence: true,
2017-08-17 22:00:37 +05:30
rules: [
2019-02-15 15:39:39 +05:30
{
type: 'javascript/auto',
test: /\.mjs$/,
use: [],
},
2017-08-17 22:00:37 +05:30
{
test: /\.js$/,
2020-04-08 14:13:33 +05:30
exclude: path =>
/node_modules\/(?!tributejs)|node_modules|vendor[\\/]assets/.test(path) &&
!/\.vue\.js/.test(path),
2017-08-17 22:00:37 +05:30
loader: 'babel-loader',
2018-10-15 14:42:47 +05:30
options: {
2018-11-08 19:23:39 +05:30
cacheDirectory: path.join(CACHE_PATH, 'babel-loader'),
2018-10-15 14:42:47 +05:30
},
2017-08-17 22:00:37 +05:30
},
{
test: /\.vue$/,
loader: 'vue-loader',
2018-11-08 19:23:39 +05:30
options: {
cacheDirectory: path.join(CACHE_PATH, 'vue-loader'),
cacheIdentifier: [
process.env.NODE_ENV || 'development',
webpack.version,
VUE_VERSION,
VUE_LOADER_VERSION,
].join('|'),
},
2017-08-17 22:00:37 +05:30
},
2019-02-15 15:39:39 +05:30
{
test: /\.(graphql|gql)$/,
exclude: /node_modules/,
loader: 'graphql-tag/loader',
},
2019-10-12 21:52:04 +05:30
{
test: /icons\.svg$/,
loader: 'file-loader',
options: {
2020-05-24 23:13:21 +05:30
name: '[name].[contenthash:8].[ext]',
2019-10-12 21:52:04 +05:30
},
},
2017-08-17 22:00:37 +05:30
{
test: /\.svg$/,
2019-10-12 21:52:04 +05:30
exclude: /icons\.svg$/,
2017-08-17 22:00:37 +05:30
loader: 'raw-loader',
},
{
2020-03-13 15:44:24 +05:30
test: /\.(gif|png|mp4)$/,
2017-08-17 22:00:37 +05:30
loader: 'url-loader',
2017-09-10 17:25:29 +05:30
options: { limit: 2048 },
2017-08-17 22:00:37 +05:30
},
2018-03-17 18:26:18 +05:30
{
2020-01-01 13:55:28 +05:30
test: /_worker\.js$/,
2018-03-17 18:26:18 +05:30
use: [
{
loader: 'worker-loader',
options: {
2020-05-24 23:13:21 +05:30
name: '[name].[contenthash:8].worker.js',
2019-07-07 11:18:12 +05:30
inline: IS_DEV_SERVER,
2018-05-09 12:01:36 +05:30
},
2018-03-17 18:26:18 +05:30
},
2018-10-15 14:42:47 +05:30
'babel-loader',
2018-03-17 18:26:18 +05:30
],
},
2017-08-17 22:00:37 +05:30
{
2017-09-10 17:25:29 +05:30
test: /\.(worker(\.min)?\.js|pdf|bmpr)$/,
2017-08-17 22:00:37 +05:30
exclude: /node_modules/,
loader: 'file-loader',
2017-09-10 17:25:29 +05:30
options: {
2020-05-24 23:13:21 +05:30
name: '[name].[contenthash:8].[ext]',
2018-05-09 12:01:36 +05:30
},
2017-08-17 22:00:37 +05:30
},
{
2018-11-08 19:23:39 +05:30
test: /.css$/,
2018-03-17 18:26:18 +05:30
use: [
2018-11-08 19:23:39 +05:30
'vue-style-loader',
2018-03-27 19:54:05 +05:30
{
2018-03-17 18:26:18 +05:30
loader: 'css-loader',
options: {
2020-05-24 23:13:21 +05:30
modules: 'global',
localIdentName: '[name].[contenthash:8].[ext]',
2018-05-09 12:01:36 +05:30
},
2018-03-17 18:26:18 +05:30
},
],
},
{
test: /\.(eot|ttf|woff|woff2)$/,
include: /node_modules\/katex\/dist\/fonts/,
loader: 'file-loader',
options: {
2020-05-24 23:13:21 +05:30
name: '[name].[contenthash:8].[ext]',
2018-05-09 12:01:36 +05:30
},
2017-08-17 22:00:37 +05:30
},
2017-09-10 17:25:29 +05:30
],
2018-11-08 19:23:39 +05:30
},
2017-09-10 17:25:29 +05:30
2018-11-08 19:23:39 +05:30
optimization: {
2020-05-24 23:13:21 +05:30
// Replace 'hashed' with 'deterministic' in webpack 5
moduleIds: 'hashed',
2018-11-08 19:23:39 +05:30
runtimeChunk: 'single',
splitChunks: {
maxInitialRequests: 4,
cacheGroups: {
default: false,
common: () => ({
priority: 20,
name: 'main',
chunks: 'initial',
minChunks: autoEntriesCount * 0.9,
}),
2020-05-24 23:13:21 +05:30
monaco: {
priority: 15,
name: 'monaco',
chunks: 'initial',
test: /[\\/]node_modules[\\/]monaco-editor[\\/]/,
minChunks: 2,
reuseExistingChunk: true,
},
echarts: {
priority: 14,
name: 'echarts',
chunks: 'all',
test: /[\\/]node_modules[\\/](echarts|zrender)[\\/]/,
minChunks: 2,
reuseExistingChunk: true,
},
security_reports: {
priority: 13,
name: 'security_reports',
chunks: 'initial',
test: /[\\/](vue_shared[\\/](security_reports|license_compliance)|security_dashboard)[\\/]/,
minChunks: 2,
reuseExistingChunk: true,
},
2018-11-08 19:23:39 +05:30
vendors: {
priority: 10,
chunks: 'async',
test: /[\\/](node_modules|vendor[\\/]assets[\\/]javascripts)[\\/]/,
},
commons: {
chunks: 'all',
minChunks: 2,
reuseExistingChunk: true,
},
},
},
2017-08-17 22:00:37 +05:30
},
plugins: [
// manifest filename must match config.webpack.manifest_filename
// webpack-rails only needs assetsByChunkName to function properly
2017-09-10 17:25:29 +05:30
new StatsWriterPlugin({
filename: 'manifest.json',
transform: function(data, opts) {
2018-03-27 19:54:05 +05:30
const stats = opts.compiler.getStats().toJson({
2017-09-10 17:25:29 +05:30
chunkModules: false,
source: false,
chunks: false,
modules: false,
2018-05-09 12:01:36 +05:30
assets: true,
2017-09-10 17:25:29 +05:30
});
2020-01-01 13:55:28 +05:30
// tell our rails helper where to find the DLL files
if (dll) {
stats.dllAssets = dll.publicPath;
}
2017-09-10 17:25:29 +05:30
return JSON.stringify(stats, null, 2);
2018-05-09 12:01:36 +05:30
},
2017-08-17 22:00:37 +05:30
}),
2018-11-08 19:23:39 +05:30
// enable vue-loader to use existing loader rules for other module types
new VueLoaderPlugin(),
// automatically configure monaco editor web workers
new MonacoWebpackPlugin(),
2017-08-17 22:00:37 +05:30
// prevent pikaday from including moment.js
new webpack.IgnorePlugin(/moment/, /pikaday/),
// fix legacy jQuery plugins which depend on globals
new webpack.ProvidePlugin({
$: 'jquery',
jQuery: 'jquery',
}),
2020-04-08 14:13:33 +05:30
// if DLLs are enabled, detect whether the DLL exists and create it automatically if necessary
dll && {
apply(compiler) {
compiler.hooks.beforeCompile.tapAsync('DllAutoCompilePlugin', (params, callback) => {
if (dll.exists) {
callback();
} else if (fs.existsSync(dll.manifestPath)) {
console.log(`Using vendor DLL found at: ${dll.cacheFrom}`);
dll.exists = true;
callback();
} else {
console.log(
`Warning: No vendor DLL found at: ${dll.cacheFrom}. Compiling DLL automatically.`,
);
const dllConfig = require('./webpack.vendor.config.js');
const dllCompiler = webpack(dllConfig);
dllCompiler.run((err, stats) => {
if (err) {
return callback(err);
}
const info = stats.toJson();
if (stats.hasErrors()) {
console.error(info.errors.join('\n\n'));
return callback('DLL not compiled successfully.');
}
if (stats.hasWarnings()) {
console.warn(info.warnings.join('\n\n'));
console.warn('DLL compiled with warnings.');
} else {
console.log('DLL compiled successfully.');
}
dll.exists = true;
callback();
});
}
});
},
},
2020-01-01 13:55:28 +05:30
// reference our compiled DLL modules
dll &&
new webpack.DllReferencePlugin({
context: ROOT_PATH,
manifest: dll.manifestPath,
}),
dll &&
new CopyWebpackPlugin([
{
from: dll.cacheFrom,
to: dll.cacheTo,
},
]),
!IS_EE &&
new webpack.NormalModuleReplacementPlugin(/^ee_component\/(.*)\.vue/, resource => {
2019-07-07 11:18:12 +05:30
resource.request = path.join(
ROOT_PATH,
'app/assets/javascripts/vue_shared/components/empty_component.js',
);
2020-01-01 13:55:28 +05:30
}),
2019-07-07 11:18:12 +05:30
2019-10-12 21:52:04 +05:30
new CopyWebpackPlugin([
{
from: path.join(ROOT_PATH, 'node_modules/pdfjs-dist/cmaps/'),
to: path.join(ROOT_PATH, 'public/assets/webpack/cmaps/'),
},
2019-12-26 22:10:19 +05:30
{
from: path.join(ROOT_PATH, 'node_modules/@sourcegraph/code-host-integration/'),
to: path.join(ROOT_PATH, 'public/assets/webpack/sourcegraph/'),
ignore: ['package.json'],
},
2019-12-04 20:38:33 +05:30
{
from: path.join(
ROOT_PATH,
'node_modules/@gitlab/visual-review-tools/dist/visual_review_toolbar.js',
),
to: path.join(ROOT_PATH, 'public/assets/webpack'),
},
2019-10-12 21:52:04 +05:30
]),
2018-11-08 19:23:39 +05:30
// compression can require a lot of compute time and is disabled in CI
IS_PRODUCTION && !NO_COMPRESSION && new CompressionPlugin(),
2017-08-17 22:00:37 +05:30
2018-11-08 19:23:39 +05:30
// WatchForChangesPlugin
// TODO: publish this as a separate plugin
IS_DEV_SERVER && {
apply(compiler) {
compiler.hooks.emit.tapAsync('WatchForChangesPlugin', (compilation, callback) => {
const missingDeps = Array.from(compilation.missingDependencies);
const nodeModulesPath = path.join(ROOT_PATH, 'node_modules');
const hasMissingNodeModules = missingDeps.some(
2019-07-07 11:18:12 +05:30
file => file.indexOf(nodeModulesPath) !== -1,
2018-11-08 19:23:39 +05:30
);
2017-08-17 22:00:37 +05:30
2018-11-08 19:23:39 +05:30
// watch for changes to missing node_modules
if (hasMissingNodeModules) compilation.contextDependencies.add(nodeModulesPath);
2018-03-17 18:26:18 +05:30
2018-11-08 19:23:39 +05:30
// watch for changes to automatic entrypoints
watchAutoEntries.forEach(watchPath => compilation.contextDependencies.add(watchPath));
2017-09-10 17:25:29 +05:30
2018-11-08 19:23:39 +05:30
// report our auto-generated bundle count
console.log(
2019-07-07 11:18:12 +05:30
`${autoEntriesCount} entries from '/pages' automatically added to webpack output.`,
2018-11-08 19:23:39 +05:30
);
2017-08-17 22:00:37 +05:30
2018-11-08 19:23:39 +05:30
callback();
});
},
},
2019-12-04 20:38:33 +05:30
// output the in-memory heap size upon compilation and exit
WEBPACK_MEMORY_TEST && {
apply(compiler) {
compiler.hooks.emit.tapAsync('ReportMemoryConsumptionPlugin', (compilation, callback) => {
console.log('Assets compiled...');
if (global.gc) {
console.log('Running garbage collection...');
global.gc();
} else {
console.error(
"WARNING: you must use the --expose-gc node option to accurately measure webpack's heap size",
);
}
const memoryUsage = process.memoryUsage().heapUsed;
const toMB = bytes => Math.floor(bytes / 1024 / 1024);
console.log(`Webpack heap size: ${toMB(memoryUsage)} MB`);
2020-01-01 13:55:28 +05:30
const webpackStatistics = {
memoryUsage,
date: Date.now(), // milliseconds
commitSHA: process.env.CI_COMMIT_SHA,
nodeVersion: process.versions.node,
webpackVersion: WEBPACK_VERSION,
};
console.log(webpackStatistics);
fs.writeFileSync(
path.join(ROOT_PATH, 'webpack-dev-server.json'),
JSON.stringify(webpackStatistics),
);
2019-12-04 20:38:33 +05:30
// exit in case we're running webpack-dev-server
IS_DEV_SERVER && process.exit();
});
},
},
2018-11-08 19:23:39 +05:30
// enable HMR only in webpack-dev-server
DEV_SERVER_LIVERELOAD && new webpack.HotModuleReplacementPlugin(),
// optionally generate webpack bundle analysis
WEBPACK_REPORT &&
new BundleAnalyzerPlugin({
analyzerMode: 'static',
generateStatsFile: true,
openAnalyzer: false,
reportFilename: path.join(ROOT_PATH, 'webpack-report/index.html'),
statsFilename: path.join(ROOT_PATH, 'webpack-report/stats.json'),
2019-12-21 20:55:43 +05:30
statsOptions: {
source: false,
},
2018-11-08 19:23:39 +05:30
}),
2019-07-07 11:18:12 +05:30
new webpack.DefinePlugin({
2019-09-30 21:07:59 +05:30
// This one is used to define window.gon.ee and other things properly in tests:
2019-12-21 20:55:43 +05:30
'process.env.IS_EE': JSON.stringify(IS_EE),
2019-09-30 21:07:59 +05:30
// This one is used to check against "EE" properly in application code
IS_EE: IS_EE ? 'window.gon && window.gon.ee' : JSON.stringify(false),
2019-07-07 11:18:12 +05:30
}),
2018-11-08 19:23:39 +05:30
].filter(Boolean),
devServer: {
2017-08-17 22:00:37 +05:30
host: DEV_SERVER_HOST,
port: DEV_SERVER_PORT,
2017-09-10 17:25:29 +05:30
disableHostCheck: true,
2018-11-08 19:23:39 +05:30
headers: {
'Access-Control-Allow-Origin': '*',
'Access-Control-Allow-Headers': '*',
},
2017-08-17 22:00:37 +05:30
stats: 'errors-only',
2017-09-10 17:25:29 +05:30
hot: DEV_SERVER_LIVERELOAD,
2018-05-09 12:01:36 +05:30
inline: DEV_SERVER_LIVERELOAD,
2018-11-08 19:23:39 +05:30
},
2017-08-17 22:00:37 +05:30
2018-11-08 19:23:39 +05:30
devtool: NO_SOURCEMAPS ? false : devtool,
2017-08-17 22:00:37 +05:30
2019-09-30 21:07:59 +05:30
node: {
fs: 'empty', // sqljs requires fs
setImmediate: false,
},
2018-11-08 19:23:39 +05:30
};