问题背景
我知道,通过CommonsChunkPlugin
可以将 entry
的入口文件中引用多次的文件抽离打包成一个公用文件,从而减少代码重复冗余
entry: {
main: './src/main.js',
user: './src/user.js'
},
......
new webpack.optimize.CommonsChunkPlugin({
name: "commons",
filename: 'common.js',
minChunks: 2,
})
// 打包生成一个文件common.js ,包含main.js 和 user.js 中引用两次及以上的模块代码
那么当我使用了 vue-router
代码分割 懒加载的时候,每个路由对应的.vue
文件中,共同引用了多次的模块,怎么自动抽离出来。
问题描述
懒加载路由文件
const
Index = () => import(/* webpackChunkName: "index" */ "page/index/Index.vue"),
User = () => import(/* webpackChunkName: "userIndex" */ "page/user/Index.vue"),
UserDetail = () => import(/* webpackChunkName: "userDetail" */ "page/user/Detail.vue"),
...
// page/index/Index.vue 首页路由文件
<template>首页</template>
<script>
import pub from 'script/public'
...
</script>
// 用户页
// page/index/Index.vue 用户页路由文件
<template>用户页</template>
<script>
import pub from 'script/public'
...
</script>
上述使用了vue-router
懒加载打包出来的 首页路由文件index.js
和 用户页文件userIndex.js
都会包含一份 public.js
的代码,重复了。
我的问题就是,在代码分割的代码中,怎么自动抽离公共代码? 就像CommonsChunkPlugin
的效果一样,或者说CommonsChunkPlugin
怎么在 code-splitting
的场景上使用?
如问题所示,存在两个使用了webpack code-splitting 和 懒加载的路由文件,路由文件都使用了公用的
public.js
模块。// page/index/Index.vue 首页路由文件
// 用户页
// page/index/Index.vue 用户页路由文件
要将
public.js
公用模块抽离,有两种解决方案方案一,
CommonsChunkPlugin
具名模块手动将所有共用的模块抽离在一个文件。
创建文件
commons.js
在
webpack.config.js
的CommonsChunkPlugin
插件指定commons
的entry这样,如果路由文件或其他模块使用到了
commons.js
中的模块,都不会重复加载代码,而是在common.bundle.js
中获取。方案二,
CommonsChunkPlugin
设置children
属性官方文档CommonsChunkPlugin 中 children属性解释
可知,设置 children 为 true 可以将code-splitting的模块的依赖模块抽离到父模块,这样做的后果就是,确实抽离公用模块,降低了代码重复,减少了代码体积。但是同时,抽离到父模块,也意味着如果有一个懒加载的路由
ShopList.vue
没有用到public.js
模块,但是实际上引入了父模块,也为这ShopList.vue
也引入了public.js
的代码。这就需要
CommonsChunkPlugin
的async
属性。方案三(最佳实践),
children
与async
双管齐下设置了
async
, 会将上述懒加载的路由文件公用的模块代码,抽离打包成一个单独的文件,并且该文件是按需加载的,如果某个路由没有使用到这些公用模块,是不会加载进来的。举个例子:
首页路由模块(访问路径
/index
),引用了public
模块用户路由模块(访问路径
/user
),引用了public
模块购物车模块(访问路径
/shop
),没有引用public
模块那么,打包生成的文件大概是
访问url
/index
,加载的依赖文件是main.js + index.js + 0.js访问url
/user
,加载的依赖文件是main.js + user.js + 0.js访问url
/shop
,加载的依赖文件是main.js + shop.js基本解决了 lazy load + code-splitting 情况下的公用模块抽离。
以下附上简单的
webpack.config.js
配置代码参考资料
commons-chunk-plugin
CommonChunkPlugin: Feature - Select statically imported modules from chunks that were created from a dynamic import (require.ensure / System.import / import(".."))