resolve => require(['../pages/home.vue'], resolve)这种写法是异步模块获取,打包的时候每次访问这个路由的时候会单调单个文件,按需加载,不过这种写法已经过时了。
懒加载
router/index.js
1 import Vue from 'vue' 2 import Router from 'vue-router' 3 Vue.use(Router) 4 5 export default new Router({ 6 mode:'history', 7 routes: [ 8 { 9 path:'/', 10 redirect:'/index' 11 }, 12 { 13 path: '/about', 14 name: 'About', 15 component:resolve => require(['@/pages/About'],resolve) 16 }, 17 { 18 path: '/index', 19 name: 'Index', 20 component:resolve => require(['@/pages/Index'],resolve) 21 }, 22 { 23 path: '/product', 24 name: 'Product', 25 component:resolve => require(['@/pages/Product'],resolve) 26 } 27 ] 28 })
还有种写法就是用import,这种是把component打包到一个文件里面,初次就读取全部;
非懒加载
router/index.js
1 import Vue from 'vue' 2 import Router from 'vue-router' 3 import About from '@/pages/About' 4 import Index from '@/pages/Index' 5 import Product from '@/pages/Product' 6 Vue.use(Router) 7 8 export default new Router({ 9 mode:'history', 10 routes: [ 11 { 12 path:'/', 13 redirect:'/index' 14 }, 15 { 16 path: '/about', 17 name: 'About', 18 component:About 19 }, 20 { 21 path: '/index', 22 name: 'Index', 23 component:Index 24 }, 25 { 26 path: '/product', 27 name: 'Product', 28 component:Product 29 } 30 ] 31 })
如果用import引入的话,当项目打包时路由里的所有component都会打包在一个js中,造成进入首页时,需要加载的内容过多,时间相对比较长。
当你用require这种方式引入的时候,会将你的component分别打包成不同的js,加载的时候也是按需加载,只用访问这个路由网址时才会加载这个js。
你可以打包的时候看看目录结构就明白了。
推荐使用 import('../home.vue'),详见官方文档 路由懒加载:
结合 Vue 的异步组件和 Webpack 的代码分割功能,轻松实现路由组件的懒加载。
首先,可以将异步组件定义为返回一个 Promise 的工厂函数 (该函数返回的 Promise 应该 resolve 组件本身):
1 const Foo = () => Promise.resolve({ /* 组件定义对象 */ })
第二,在 Webpack 2 中,我们可以使用动态 import语法来定义代码分块点 (split point):
1 import('./Foo.vue') // 返回 Promise
结合这两者,这就是如何定义一个能够被 Webpack 自动代码分割的异步组件。
1 const Foo = () => import('./Foo.vue')
在路由配置中什么都不需要改变,只需要像往常一样使用 Foo
:
1 const router = new VueRouter({ 2 routes: [ 3 { path: '/foo', component: Foo } 4 ] 5 })
把组件按组分块
有时候我们想把某个路由下的所有组件都打包在同个异步块 (chunk) 中。只需要使用 命名 chunk,一个特殊的注释语法来提供 chunk name (需要 Webpack > 2.4)。
1 const Foo = () => import(/* webpackChunkName: "group-foo" */ './Foo.vue') 2 const Bar = () => import(/* webpackChunkName: "group-foo" */ './Bar.vue') 3 const Baz = () => import(/* webpackChunkName: "group-foo" */ './Baz.vue')
Webpack 会将任何一个异步模块与相同的块名称组合到相同的异步块中。