欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

详解用webpack的CommonsChunkPlugin提取公共代码的3种方式

程序员文章站 2022-07-06 21:20:17
webpack 的 commonschunkplugin 插件,负责将多次被使用的 js 模块打包在一起。 commonschunkplugin 能解决的问题 在使...

webpack 的 commonschunkplugin 插件,负责将多次被使用的 js 模块打包在一起。

commonschunkplugin 能解决的问题

在使用插件前,考虑几个问题:

  1. 对哪些 chunk 进行提取,这决定了 chunks ,children 和 name 要怎么配置
  2. common chunk 是否异步,这决定了 async 怎么配置
  3. common chunk 的粒度,这决定了 minchunks 和 minsize 怎么配置

以下是官方给出的常用的场景:

  1. 提取两个及两个以上 chunk 的公共代码
  2. 将 code split 切割出来的 chunk「就是子 chunk」,提取到父 chunk
  3. 将 code split 切割出来的 chunk,提取到一个新的异步加载的 chunk
  4. 提取某个类似 jquery 或 react 的代码库

前面我们实现了 多页面分离资源引用,按需引用js和css

但有一个问题:最后生成的3个js,都有重复代码,我们应该把这部分公共代码单独提取出来。

方式一,传入字符串参数

new webpack.optimize.commonschunkplugin(‘common.js'), // 默认会把所有入口节点的公共代码提取出来,生成一个common.js

var htmlwebpackplugin = require('html-webpack-plugin');
var webpack = require('webpack');

var extracttextplugin = require('extract-text-webpack-plugin');

module.exports = {
  // entry是入口文件,可以多个,代表要编译那些js
  //entry:['./src/main.js','./src/login.js','./src/reg.js'],

  entry:
  {
    'main':'./src/main.js',
    'user':['./src/login.js','./src/reg.js'],
    'index':['./src/index.js']
  },

  externals:{
    'jquery':'jquery'
  },

  module:{
    loaders:[
      // {test:/\.css$/,loader:'style-loader!css-loader'},
      {test:/\.css$/,loader:extracttextplugin.extract('style','css')}
    ],
  },

  output:{
    path: __dirname+'/build/js', // 输出到那个目录下(__dirname当前项目目录)
    filename:'[name].js' //最终打包生产的文件名
  },

  plugins:[
    new htmlwebpackplugin({
      filename: __dirname+'/build/html/login-build.html',
      template:__dirname+'/src/tpl/login.html',
      inject:'body',
      hash:true,
      chunks:['main','user','common.js']  // 这个模板对应上面那个节点
    }),

    new htmlwebpackplugin({
      filename: __dirname+'/build/html/index-build.html',
      template:__dirname+'/src/tpl/index.html',
      inject:'body',
      hash:true,
      chunks:['index','common.js']  // 这个模板对应上面那个节点
    }),

    // css抽取
    new extracttextplugin("[name].css"),

    // 提供公共代码
    new webpack.optimize.commonschunkplugin('common.js'), // 默认会把所有入口节点的公共代码提取出来,生成一个common.js
  ]
};

方式二,有选择的提取公共代码

// 提供公共代码
// 默认会把所有入口节点的公共代码提取出来,生成一个common.js
// 只提取main节点和index节点
new webpack.optimize.commonschunkplugin('common.js',['main','index']), 

方式三,有选择性的提取(对象方式传参)

推荐

    new webpack.optimize.commonschunkplugin({
      name:'common', // 注意不要.js后缀
      chunks:['main','user','index']
    }),

通过commonschunkplugin,我们把公共代码专门抽取到一个common.js,这样业务代码只在index.js,main.js,user.js

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。