Webpack comprehensive configuration guide

The most detailed configuration guide for the webpack packaging and construction tool, front-end friends, hurry up and clone if you like, click star.

Essentially, webpack  is a static module bundler for modern JavaScript applications . When webpack processes the application, it recursively builds a dependency graph (dependency graph) , which contains each module required by the application, and then packs all these modules into one or more  bundles .

From here to learn more about JavaScript module and webpack module.

Starting from webpack v4.0.0, there is no need to introduce a configuration file. However, webpack is still highly configurable . Before you start, you need to understand four core concepts :

  • Entry
  • Output
  • loader
  • Plugins

The purpose of this document is to give a high-level overview of these concepts , while providing detailed related use cases for specific concepts

 

Data download address: https://gitee.com/tglx/webpack.git

webpack document address: https://webpack.js.org/concepts/

Chinese document: https://www.webpackjs.com/concepts/

Development environment configuration case:

/*
  开发环境配置:能让代码运行
    运行项目指令:
      webpack 会将打包结果输出出去
      npx webpack-dev-server 只会在内存中编译打包,没有输出
*/

const { resolve } = require('path');
const HtmlWebpackPlugin = require('html-webpack-plugin');

module.exports = {
  entry: './src/js/index.js',
  output: {
    filename: 'js/built.js',
    path: resolve(__dirname, 'build')
  },
  module: {
    rules: [
      // loader的配置
      {
        // 处理less资源
        test: /\.less$/,
        use: ['style-loader', 'css-loader', 'less-loader']
      },
      {
        // 处理css资源
        test: /\.css$/,
        use: ['style-loader', 'css-loader']
      },
      {
        // 处理图片资源
        test: /\.(jpg|png|gif)$/,
        loader: 'url-loader',
        options: {
          limit: 8 * 1024,
          name: '[hash:10].[ext]',
          // 关闭es6模块化
          esModule: false,
          outputPath: 'imgs'
        }
      },
      {
        // 处理html中img资源
        test: /\.html$/,
        loader: 'html-loader'
      },
      {
        // 处理其他资源
        exclude: /\.(html|js|css|less|jpg|png|gif)/,
        loader: 'file-loader',
        options: {
          name: '[hash:10].[ext]',
          outputPath: 'media'
        }
      }
    ]
  },
  plugins: [
    // plugins的配置
    new HtmlWebpackPlugin({
      template: './src/index.html'
    })
  ],
  mode: 'development',
  devServer: {
    contentBase: resolve(__dirname, 'build'),
    compress: true,
    port: 3000,
    open: true
  }
};

 

Guess you like

Origin blog.csdn.net/taotaobaobei/article/details/105255269