webpack提取第三方庫的正確姿勢

lio-mengxiang發表於2017-12-22

我們在用webpack打包是時候,常常想單獨提取第三方庫,把它作為穩定版本的檔案,利用瀏覽快取減少請求次數。常用的提取第三方庫的方法有兩種

  • CommonsChunkPlugin
  • DLLPlugin

區別:第一種每次打包,都要把第三方庫也執行打包一次,第二種方法每次打包只打包專案檔案,我們只要引用第一次打包好的第三方壓縮檔案就行了

CommonsChunkPlugin方法簡介

我們拿vue舉例

const vue = require('vue')
{
  entry: {
   // bundle是我們要打包的專案檔案的匯出名字, app是入口js檔案
   bundle: 'app',
   // vendor就是我們要打包的第三方庫最終生成的檔名,陣列裡是要打包哪些第三方庫, 如果不是在node——modules裡面,可以填寫庫的具體地址
   vendor: ['vue']
  },
 output: {
     path: __dirname + '/bulid/',
	 // 檔名稱
	filename: '[name].js'
 },
  plugins: {
    // 這裡例項化webpack.optimize.CommonsChunkPlugin建構函式
    // 打包之後就生成vendor.js檔案
    new webpack.optimize.CommonsChunkPlugin('vendor',  'vendor.js')
  }
}

複製程式碼

然後打包生成的檔案引入到html檔案裡面

 <script src="/build/vendor.js"></script>
 <script src="/build/bundle.js"></script>
複製程式碼

DLLPlugin方法簡介

首先準備兩個檔案

  • webpack.config.js
  • webpack.dll.config.js

webpack.dll.config.js檔案配置如下

const webpack = require('webpack')
const library = '[name]_lib'
const path = require('path')

module.exports = {
  entry: {
    vendors: ['vue', 'vuex']
  },

  output: {
    filename: '[name].dll.js',
    path: 'dist/',
    library
  },

  plugins: [
    new webpack.DllPlugin({
      path: path.join(__dirname, 'dist/[name]-manifest.json'),
      // This must match the output.library option above
      name: library
    }),
  ],
}


複製程式碼

然後webpack.config.js 檔案配置如下

const webpack = require('webpack')

module.exports = {
  entry: {
    app: './src/index'
  },
  output: {
    filename: 'app.bundle.js',
    path: 'dist/',
  },
  plugins: [
    new webpack.DllReferencePlugin({
      context: __dirname,
      manifest: require('./dist/vendors-manifest.json')
    })
  ]
}

複製程式碼

然後執行

$ webpack --config webpack.dll.config.js
$ webpack --config webpack.config.js
複製程式碼

html引用方式

<script src="/dist/vendors.dll.js"></script>
<script src="/dist/app.bundle.js"></script>
複製程式碼

參考文章

相關文章