You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

webpack.config.js 14KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406
  1. /* global __dirname */
  2. const CircularDependencyPlugin = require('circular-dependency-plugin');
  3. const fs = require('fs');
  4. const { join } = require('path');
  5. const process = require('process');
  6. const webpack = require('webpack');
  7. const { BundleAnalyzerPlugin } = require('webpack-bundle-analyzer');
  8. /**
  9. * The URL of the Jitsi Meet deployment to be proxy to in the context of
  10. * development with webpack-dev-server.
  11. */
  12. const devServerProxyTarget
  13. = process.env.WEBPACK_DEV_SERVER_PROXY_TARGET || 'https://alpha.jitsi.net';
  14. /**
  15. * Build a Performance configuration object for the given size.
  16. * See: https://webpack.js.org/configuration/performance/
  17. *
  18. * @param {Object} options - options for the bundles configuration.
  19. * @param {boolean} options.analyzeBundle - whether the bundle needs to be analyzed for size.
  20. * @param {boolean} options.minimize - whether the code should be minimized or not.
  21. * @param {number} size - the size limit to apply.
  22. * @returns {Object} a performance hints object.
  23. */
  24. function getPerformanceHints(options, size) {
  25. const { analyzeBundle, minimize } = options;
  26. return {
  27. hints: minimize && !analyzeBundle ? 'error' : false,
  28. maxAssetSize: size,
  29. maxEntrypointSize: size
  30. };
  31. }
  32. /**
  33. * Build a BundleAnalyzerPlugin plugin instance for the given bundle name.
  34. *
  35. * @param {boolean} analyzeBundle - whether the bundle needs to be analyzed for size.
  36. * @param {string} name - the name of the bundle.
  37. * @returns {Array} a configured list of plugins.
  38. */
  39. function getBundleAnalyzerPlugin(analyzeBundle, name) {
  40. if (!analyzeBundle) {
  41. return [];
  42. }
  43. return [ new BundleAnalyzerPlugin({
  44. analyzerMode: 'disabled',
  45. generateStatsFile: true,
  46. statsFilename: `${name}-stats.json`
  47. }) ];
  48. }
  49. /**
  50. * Determines whether a specific (HTTP) request is to bypass the proxy of
  51. * webpack-dev-server (i.e. is to be handled by the proxy target) and, if not,
  52. * which local file is to be served in response to the request.
  53. *
  54. * @param {Object} request - The (HTTP) request received by the proxy.
  55. * @returns {string|undefined} If the request is to be served by the proxy
  56. * target, undefined; otherwise, the path to the local file to be served.
  57. */
  58. function devServerProxyBypass({ path }) {
  59. if (path.startsWith('/css/')
  60. || path.startsWith('/doc/')
  61. || path.startsWith('/fonts/')
  62. || path.startsWith('/images/')
  63. || path.startsWith('/lang/')
  64. || path.startsWith('/sounds/')
  65. || path.startsWith('/static/')
  66. || path.endsWith('.wasm')) {
  67. return path;
  68. }
  69. if (path.startsWith('/libs/')) {
  70. if (path.endsWith('.min.js') && !fs.existsSync(join(process.cwd(), path))) {
  71. return path.replace('.min.js', '.js');
  72. }
  73. return path;
  74. }
  75. }
  76. /**
  77. * The base Webpack configuration to bundle the JavaScript artifacts of
  78. * jitsi-meet such as app.bundle.js and external_api.js.
  79. *
  80. * @param {Object} options - options for the bundles configuration.
  81. * @param {boolean} options.detectCircularDeps - whether to detect circular dependencies or not.
  82. * @param {boolean} options.minimize - whether the code should be minimized or not.
  83. * @returns {Object} the base config object.
  84. */
  85. function getConfig(options = {}) {
  86. const { detectCircularDeps, minimize } = options;
  87. return {
  88. devtool: 'source-map',
  89. mode: minimize ? 'production' : 'development',
  90. module: {
  91. rules: [ {
  92. // Transpile ES2015 (aka ES6) to ES5. Accept the JSX syntax by React
  93. // as well.
  94. loader: 'babel-loader',
  95. options: {
  96. // Avoid loading babel.config.js, since we only use it for React Native.
  97. configFile: false,
  98. // XXX The require.resolve bellow solves failures to locate the
  99. // presets when lib-jitsi-meet, for example, is npm linked in
  100. // jitsi-meet.
  101. plugins: [
  102. require.resolve('@babel/plugin-proposal-export-default-from')
  103. ],
  104. presets: [
  105. [
  106. require.resolve('@babel/preset-env'),
  107. // Tell babel to avoid compiling imports into CommonJS
  108. // so that webpack may do tree shaking.
  109. {
  110. modules: false,
  111. // Specify our target browsers so no transpiling is
  112. // done unnecessarily. For browsers not specified
  113. // here, the ES2015+ profile will be used.
  114. targets: {
  115. chrome: 80,
  116. electron: 10,
  117. firefox: 68,
  118. safari: 14
  119. }
  120. }
  121. ],
  122. require.resolve('@babel/preset-flow'),
  123. require.resolve('@babel/preset-react')
  124. ]
  125. },
  126. test: /\.jsx?$/
  127. }, {
  128. // TODO: get rid of this.
  129. // Expose jquery as the globals $ and jQuery because it is expected
  130. // to be available in such a form by lib-jitsi-meet.
  131. loader: 'expose-loader',
  132. options: {
  133. exposes: [ '$', 'jQuery' ]
  134. },
  135. test: require.resolve('jquery')
  136. }, {
  137. // Allow CSS to be imported into JavaScript.
  138. test: /\.css$/,
  139. use: [
  140. 'style-loader',
  141. 'css-loader'
  142. ]
  143. }, {
  144. test: /\/node_modules\/@atlaskit\/modal-dialog\/.*\.js$/,
  145. resolve: {
  146. alias: {
  147. 'react-focus-lock': `${__dirname}/react/features/base/util/react-focus-lock-wrapper.js`,
  148. '../styled/Modal': `${__dirname}/react/features/base/dialog/components/web/ThemedDialog.js`
  149. }
  150. }
  151. }, {
  152. test: /\/react\/features\/base\/util\/react-focus-lock-wrapper.js$/,
  153. resolve: {
  154. alias: {
  155. 'react-focus-lock': `${__dirname}/node_modules/react-focus-lock`
  156. }
  157. }
  158. }, {
  159. test: /\.svg$/,
  160. use: [ {
  161. loader: '@svgr/webpack',
  162. options: {
  163. dimensions: false,
  164. expandProps: 'start'
  165. }
  166. } ]
  167. }, {
  168. test: /\.tsx?$/,
  169. exclude: /node_modules/,
  170. loader: 'ts-loader'
  171. } ]
  172. },
  173. node: {
  174. // Allow the use of the real filename of the module being executed. By
  175. // default Webpack does not leak path-related information and provides a
  176. // value that is a mock (/index.js).
  177. __filename: true
  178. },
  179. optimization: {
  180. concatenateModules: minimize,
  181. minimize
  182. },
  183. output: {
  184. filename: `[name]${minimize ? '.min' : ''}.js`,
  185. path: `${__dirname}/build`,
  186. publicPath: '/libs/',
  187. sourceMapFilename: '[file].map'
  188. },
  189. plugins: [
  190. detectCircularDeps
  191. && new CircularDependencyPlugin({
  192. allowAsyncCycles: false,
  193. exclude: /node_modules/,
  194. failOnError: false
  195. })
  196. ].filter(Boolean),
  197. resolve: {
  198. alias: {
  199. 'focus-visible': 'focus-visible/dist/focus-visible.min.js'
  200. },
  201. aliasFields: [
  202. 'browser'
  203. ],
  204. extensions: [
  205. '.web.js',
  206. // Typescript:
  207. '.tsx',
  208. '.ts',
  209. // Webpack defaults:
  210. '.js',
  211. '.json'
  212. ],
  213. fallback: {
  214. // Provide some empty Node modules (required by AtlasKit, olm).
  215. crypto: false,
  216. fs: false,
  217. path: false,
  218. process: false
  219. }
  220. }
  221. };
  222. }
  223. /**
  224. * Helper function to build the dev server config. It's necessary to split it in
  225. * Webpack 5 because only one devServer entry is supported, so we attach it to
  226. * the main bundle.
  227. *
  228. * @returns {Object} the dev server configuration.
  229. */
  230. function getDevServerConfig() {
  231. return {
  232. client: {
  233. overlay: {
  234. errors: true,
  235. warnings: false
  236. }
  237. },
  238. host: '127.0.0.1',
  239. hot: true,
  240. proxy: {
  241. '/': {
  242. bypass: devServerProxyBypass,
  243. secure: false,
  244. target: devServerProxyTarget,
  245. headers: {
  246. 'Host': new URL(devServerProxyTarget).host
  247. }
  248. }
  249. },
  250. server: 'https',
  251. static: {
  252. directory: process.cwd()
  253. }
  254. };
  255. }
  256. module.exports = (_env, argv) => {
  257. const analyzeBundle = Boolean(process.env.ANALYZE_BUNDLE);
  258. const mode = typeof argv.mode === 'undefined' ? 'production' : argv.mode;
  259. const isProduction = mode === 'production';
  260. const configOptions = {
  261. detectCircularDeps: Boolean(process.env.DETECT_CIRCULAR_DEPS) || !isProduction,
  262. minimize: isProduction
  263. };
  264. const config = getConfig(configOptions);
  265. const perfHintOptions = {
  266. analyzeBundle,
  267. minimize: isProduction
  268. };
  269. return [
  270. Object.assign({}, config, {
  271. entry: {
  272. 'app.bundle': './app.js'
  273. },
  274. devServer: isProduction ? {} : getDevServerConfig(),
  275. plugins: [
  276. ...config.plugins,
  277. ...getBundleAnalyzerPlugin(analyzeBundle, 'app'),
  278. new webpack.IgnorePlugin({
  279. resourceRegExp: /^canvas$/,
  280. contextRegExp: /resemblejs$/
  281. }),
  282. new webpack.IgnorePlugin({
  283. resourceRegExp: /^\.\/locale$/,
  284. contextRegExp: /moment$/
  285. }),
  286. new webpack.ProvidePlugin({
  287. process: 'process/browser'
  288. })
  289. ],
  290. performance: getPerformanceHints(perfHintOptions, 4 * 1024 * 1024)
  291. }),
  292. Object.assign({}, config, {
  293. entry: {
  294. 'alwaysontop': './react/features/always-on-top/index.js'
  295. },
  296. plugins: [
  297. ...config.plugins,
  298. ...getBundleAnalyzerPlugin(analyzeBundle, 'alwaysontop')
  299. ],
  300. performance: getPerformanceHints(perfHintOptions, 800 * 1024)
  301. }),
  302. Object.assign({}, config, {
  303. entry: {
  304. 'dial_in_info_bundle': './react/features/invite/components/dial-in-info-page'
  305. },
  306. plugins: [
  307. ...config.plugins,
  308. ...getBundleAnalyzerPlugin(analyzeBundle, 'dial_in_info'),
  309. new webpack.IgnorePlugin({
  310. resourceRegExp: /^\.\/locale$/,
  311. contextRegExp: /moment$/
  312. })
  313. ],
  314. performance: getPerformanceHints(perfHintOptions, 500 * 1024)
  315. }),
  316. Object.assign({}, config, {
  317. entry: {
  318. 'do_external_connect': './connection_optimization/do_external_connect.js'
  319. },
  320. plugins: [
  321. ...config.plugins,
  322. ...getBundleAnalyzerPlugin(analyzeBundle, 'do_external_connect')
  323. ],
  324. performance: getPerformanceHints(perfHintOptions, 5 * 1024)
  325. }),
  326. Object.assign({}, config, {
  327. entry: {
  328. 'flacEncodeWorker': './react/features/local-recording/recording/flac/flacEncodeWorker.js'
  329. },
  330. plugins: [
  331. ...config.plugins,
  332. ...getBundleAnalyzerPlugin(analyzeBundle, 'flacEncodeWorker')
  333. ],
  334. performance: getPerformanceHints(perfHintOptions, 5 * 1024)
  335. }),
  336. Object.assign({}, config, {
  337. entry: {
  338. 'analytics-ga': './react/features/analytics/handlers/GoogleAnalyticsHandler.js'
  339. },
  340. plugins: [
  341. ...config.plugins,
  342. ...getBundleAnalyzerPlugin(analyzeBundle, 'analytics-ga')
  343. ],
  344. performance: getPerformanceHints(perfHintOptions, 5 * 1024)
  345. }),
  346. Object.assign({}, config, {
  347. entry: {
  348. 'close3': './static/close3.js'
  349. },
  350. plugins: [
  351. ...config.plugins,
  352. ...getBundleAnalyzerPlugin(analyzeBundle, 'close3')
  353. ],
  354. performance: getPerformanceHints(perfHintOptions, 128 * 1024)
  355. }),
  356. Object.assign({}, config, {
  357. entry: {
  358. 'external_api': './modules/API/external/index.js'
  359. },
  360. output: Object.assign({}, config.output, {
  361. library: 'JitsiMeetExternalAPI',
  362. libraryTarget: 'umd'
  363. }),
  364. plugins: [
  365. ...config.plugins,
  366. ...getBundleAnalyzerPlugin(analyzeBundle, 'external_api')
  367. ],
  368. performance: getPerformanceHints(perfHintOptions, 35 * 1024)
  369. }),
  370. Object.assign({}, config, {
  371. entry: {
  372. 'face-landmarks-worker': './react/features/face-landmarks/faceLandmarksWorker.js'
  373. },
  374. plugins: [
  375. ...config.plugins,
  376. ...getBundleAnalyzerPlugin(analyzeBundle, 'face-landmarks-worker')
  377. ],
  378. performance: getPerformanceHints(perfHintOptions, 1024 * 1024 * 1.5)
  379. })
  380. ];
  381. };