Catch it all - Webpack project packaging 1

Catch it all - Webpack project packaging 1

[[427986]]

This article is reprinted from the WeChat public account "Front-end Gravitation", the author is Yichuan. Please contact the WeChat public account "Front-end Gravitation" to reprint this article.

1. Basic concepts of webpack

1.1 What is webpack?

Webpack is a static module bundler for modern JS applications, a front-end resource building tool.

  • What is a front-end resource building tool? The browser does not recognize web resources such as sass, less, ts, and js advanced syntax. Only through a building tool such as webpack can they be compiled one by one into js files that the browser can read.
  • What is a static asset bundler? When webpack processes your application, it recursively builds a dependency graph, bundling all the modules your application needs into one or more bundles.

1.2 What can webpack be used for?

As the most commonly used front-end resource building tool for front-end engineers, webpack can solve many pain points and difficulties encountered in development.

  • It can solve the cross-domain problem when calling the backend interface without relying on the backend
  • Automatically refresh the browser after code changes, no need to clear the cache if there is one
  • It can easily solve the compatibility issues of new CSS and JS features on various browsers and improve your development efficiency
  • There is no need to use an additional packaging platform or write packaging scripts, nor is there any need to package and compress js, css, etc. separately

Of course, webpack is more powerful than that. It has many simple and convenient configurations that can improve your development efficiency.

2. Webpack core configuration

The commonly used core configurations are as follows:

  • Entry
  • output
  • Loader
  • plugin
  • mode
  • Other configurations, etc.

Of course, the above are the commonly used configurations. For other requirements, you can find the official documentation for reading: [https://webpack.docschina.org/concepts/]

2.1 Entry

The entry undoubtedly refers to which file or files webpack uses as the starting point for packaging and which module to use to build the internal dependency graph. webpack will analyze the dependencies between modules based on the dependency graph and then package them.

  1. // Single file entry, string format: package into a chunk, output a bundle file, of course, not very flexible in actual development
  2. entry: "./src/index.js"  
  3.  
  4. //Multiple file entries, array format: all files eventually form a chunck, outputting a bundle file
  5. entry:[ "./src/index.js" , "./src/main.js" ]
  6.  
  7. //Multiple file entries, object form: Multiple entry files form multiple chunks, and finally output multiple bundle files, and the name of the chunk is the key value of the object. Although this method is more cumbersome, it has strong scalability, and the configuration can be reused or combined with other configurations.
  8. entry:{
  9. index : "./src/index.js" ,
  10. main: "./src/main.js"  
  11. }

Of course, there are many other configuration properties when describing the entry object, please refer to the documentation for details.

  • dependOn: The entries that this entry depends on. They must be loaded before this entry is loaded.
  • filename: Specifies the name of the file to be output.
  • import: Modules to be loaded at startup.
  • library: Specify the library option to build a library for the current entry.
  • runtime: The name of the runtime chunk. If set, a new runtime chunk will be created. Since webpack 5.43.0 this can be set to false to avoid a new runtime chunk.
  • publicPath: Specifies a public URL for the output files of this entry point when they are referenced in a browser. See output.publicPath.

2.2 Output

Output (output) is obviously telling webpack where to output the packaged resource bundles and how to name these output files. Of course, the main file defaults to "./dist/main.js", and other files are placed in the "./dist" folder.

  1. //Package export
  2. output :{
  3. // Output folder path
  4. path:path.resolve(__dirname, "dist" ),
  5. // file name
  6. // filename: "bundle.js"  
  7. // If there are multiple entry points, placeholders should be used to ensure that each file has a unique name
  8. filename: "[name].js" ,
  9. // All resources introduce public path prefixes, be cautious when used in production environments
  10. publicPath: "" , //When compiling, if the address of the output file is unknown, leave it blank and dynamically configure it through the __webpack_public_path__ of the entry point file at runtime.
  11. chunkFilename: "[contenthash:10].chunk.js" ,
  12. clean: true , //Clear the output directory before packaging, which is equivalent to the function of the clean-webpack-plugin plug-in.
  13. /* When using Webpack to build a library that can be imported and used by other modules, you need to use library */
  14. library: {
  15. name : "[name]" , //The variable name exposed to the outside world by the entire library
  16. type: "window" //Library exposure method
  17. }
  18. }

Remember: Even though there can be multiple entry origins, only one output configuration can be specified.

2.3 Loader

As you know, webpack can only parse js and json files, which is its inherent ability. The ability of loader is to allow webpack to process other types of files and convert them into module files js or json that webpack can parse, so as to provide them to the application and generate them into the dependency graph.

  1. // Loader
  2. loader:{
  3. // Match file types, following regular expression syntax
  4. test:/\.css/,
  5. // Define which loaders to use during conversion, processing from bottom to top and from right to left
  6. use:[
  7. "style-loader" , //Create a style tag, extract the style resources in the js file, and add it to the head tag of the index.html file
  8. "css-loader" , //Convert the css file into commonjs format and load it into the js file
  9. {
  10. loader: "postcss-loader" , //css compatibility processing, remember: you need to configure browserlist in the package.json file in advance
  11. options:{
  12. postcssOptions:{
  13. ident: "postcss" ,
  14. // postcss-preset-env plugin: helps postcss find the browserslist configuration in package.json and loads the specified compatibility style according to the configuration
  15. plugins:[require( "postcss-preser-env" )()]
  16. }
  17. }
  18. }
  19. ]
  20. },
  21. {
  22. test: /\.js$/,
  23. // Note that you need to configure browserslist in package.json, otherwise babel-loader will not take effect
  24. //js compatible processing babel
  25. loader: "babel-loader" ,
  26. // Recommended way to write a rule when only one loader is used
  27. options:
  28. presets: [
  29. [
  30. "@babel/preset-env" ,
  31. // Default: instruct babel to do what kind of compatibility processing
  32. {
  33. useBuiltIns: "usage" ,
  34. // Load on demand
  35. corejs: {
  36. version: "3" ,
  37. },
  38. targets: "defaults" ,
  39. }
  40. ]
  41. ]
  42. }
  43. }

2.4 Plugin

Plugin: A plugin is actually an auxiliary loader to perform a wider range of tasks, from packaging optimization, file compression, resource management, and re-injection of environment variables.

  1. // CleanWebpackPlugin helps you automatically clean up dist files when packaging, which is convenient for learning
  2. // const { CleanWebpackPlugin } = require( "clean-webpack-plugin" ); // Starting from webpack5, webpack has built-in this function, just configure clear to true in ouput
  3.  
  4. // HtmlWebpackPlugin helps you create HTML files and automatically imports the bundled output files. Supports HTML compression.
  5. const HtmlWebpackPlugin = require( "html-webpack-plugin" );
  6.  
  7. // This plugin extracts CSS into separate files. It will create a CSS file for each chunk. Need to be used with loader
  8. const MiniCssExtractPlugin = require( "mini-css-extract-plugin" );
  9.  
  10. // This plugin will search for CSS resources during the Webpack build process and optimize\minify CSS
  11. const OptimizeCssAssetsWebpackPlugin = require( "optimize-css-assets-webpack-plugin" );
  12.  
  13. // For vue-loader V15 and above, you need to introduce the VueLoaderPlugin plug-in, which is used to apply the js, css and other rules you defined to the vue file.
  14. const { VueLoaderPlugin } = require( 'vue-loader' )
  15.  
  16. module.exports = {
  17. module: {
  18. rules:
  19. {
  20. test: /\.vue$/,
  21. loader: "vue-loader"  
  22. },
  23. {
  24. test: /\.css$/,
  25. use: [
  26. // The function of MiniCssExtractPlugin.loader is to extract the style resources (in the js file) processed by css-loader separately to become a css style file
  27. MiniCssExtractPlugin.loader, //Used in production environment, style-loader is recommended for development environment
  28. "css-loader" ,
  29. ],
  30. },
  31. ],
  32. },
  33. plugins: [
  34. new HtmlWebpackPlugin({
  35. template: "index.html"  
  36. }),
  37. new MiniCssExtractPlugin({
  38. filename: "css/built.css" ,
  39. }),
  40. new OptimizeCssAssetsWebpackPlugin(),
  41. new VueLoaderPlugin(),
  42. ]
  43. }

2.5 Mode

The mode is used to tell webpack that it needs to use the configuration in the corresponding environment mode, which can be production, development or none. Of course, the default is production.

There are two ways to use the mode mode. You can set the mode option in the configuration object.

  1. module.exports = {
  2. mode: "development"  
  3. }

It can also be configured in the cli in package.json:

  1. webpack --mode=development  

The official documentation says:

Options describe
development Will set the value of process.env.NODE_ENV in DefinePlugin to development . Enables valid names for modules and chunks.
production Sets the value of process.env.NODE_ENV in DefinePlugin to production . Enables deterministic obfuscated names for modules and chunks, FlagDependencyUsagePlugin , FlagIncludedChunksPlugin , ModuleConcatenationPlugin , NoEmitOnErrorsPlugin , and TerserPlugin .
none Do not use any default optimization options

If you want to change the bundling behavior based on the mode variable in webpack.config.js, you have to export the config as a function instead of exporting an object:

  1. ar config = {
  2. entry: './app.js' ,
  3. //...
  4. };
  5.  
  6. module.exports = (env, argv) => {
  7. if (argv.mode === 'development' ) {
  8. config.devtool = 'source-map' ;
  9. }
  10.  
  11. if (argv.mode === 'production' ) {
  12. //...
  13. }
  14.  
  15. return config;
  16. };

Other common configurations:

  1. module.exports = {
  2. // Rules for parsing modules:
  3. resolve: {
  4. //Configure the parsing module path alias: the path can be abbreviated.
  5. alias: {
  6. "@" : path.resolve(__dirname, "src" )
  7. },
  8. //Configure the file path suffix to be omitted. By default, js and json are omitted. These are also the two file types that webpack recognizes by default.
  9. extensions: [ ".js" , ".json" , ".css" ], // add new css file
  10. // Tell webpack which directory to look for when parsing the module
  11. // This configuration explicitly tells webpack to go directly to the previous level to find node_modules.
  12. modules: [path.resolve(__dirname, "../node_modules" )],
  13. },
  14. // devServer (configuration in development environment):
  15. devServer: {
  16. // Directory to run the code
  17. contentBase: path.resolve(__dirname, "build" ),
  18. // Enable gzip compression for each static file
  19. compress: true ,
  20. host: "localhost" ,
  21. port: 5000,
  22. open : true , // automatically open the browser
  23. hot: true , // Enable HMR function
  24. // Set up the proxy
  25. proxy: {
  26. // Once devServer (port 5000) receives a request for /api/xxx, it will use the service started by devServer to forward the request to another server (3000)
  27. // This is to solve the cross-domain problem in development
  28. api: {
  29. target: "http://localhost:3000" ,
  30. // When sending a request, rewrite the request path: /api/xxx --> /xxx (remove /api)  
  31. pathRewrite: {
  32. "^api" : "" ,
  33. },
  34. },
  35. },
  36. },
  37.  
  38. // optimization (configuration in production environment)
  39. optimization:
  40. // Extract common code
  41. splitChunks: {
  42. chunks: "all" ,
  43. },
  44. minimizer:
  45. // Configure the compression scheme for the production environment: js and css
  46. new TerserWebpackPlugin({
  47. // Multi-process packaging
  48. parallel: true ,
  49. terserOptions: {
  50. // Start source-map
  51. sourceMap: true ,
  52. },
  53. }),
  54. ],
  55. },
  56. };

3References

webpack official documentation

Webpack5.0 Learning Summary-Basics

<<:  Software defines everything! What you must know about enterprise network modernization

>>:  Ranking of JavaScript open source projects in September

Blog    

Recommend

IP address conversion: conversion between numbers and strings

There are generally two formats for storing IP ad...

Wi-Fi Sense: Your home's next sensor may not be a sensor

Part 01 How Wi-Fi Sensing Works Wi-Fi sensing is ...

Popularize knowledge! 20 key 5G technologies

5G network technology is mainly divided into thre...

HostHatch 12th Anniversary, Hong Kong 1TB large hard drive from $35/year

HostHatch launched a promotional campaign for its...

...

my country will open 1.4 million 5G base stations by the end of the year

This year is a period of large-scale 5G construct...

Huawei's "Government Cloud China Tour" has a unique scenery in Shaanxi

In June, people from all over the world gathered ...

5G spectrum technology has made a breakthrough, and battery life has soared

Improving battery life has been a challenge for a...

10 SD-WAN projects to watch

[[323303]] GlobalConnect | Versa Networks GlobalC...