vue-router-analysis-part2

vue-router 源码解析 | 1.5w 字 | 多图预警 - 【中】

  • 各位好,我是光辉 😎
  • 本篇是vue-router源码解析的中篇,也是核心篇
  • 本篇主要介绍了下面几点
    • 介绍了vue-router是如何做路由匹配的
    • 以及其相关的守卫、钩子是如何触发的
    • 异步组件又是如何处理的等等
  • 虽然看着知识点很少,但内容却一点都不少
  • 另外还是要说一下
    • 第一次做源码解析,肯定有很多错误或理解不到位的地方,欢迎指正 🤞
  • 项目地址
    • https://github.com/BryanAdamss/vue-router-for-analysis
    • 如果觉得对你有帮助,记得给我一个star
  • uml 图源文件
    • https://github.com/BryanAdamss/vue-router-for-analysis/blob/dev/vue-router.EAP
  • 关联文章链接

路由跳转

  • 前面介绍过,要实现路由的跳转,首先得从路由映射表中找到与地址匹配的路由对象,这个过程称之为路由匹配,找到匹配的路由后,然后再解析跳转
  • 所以实现路由跳转有两个关键步骤:路由匹配、导航解析
  • VueRouter将上述两个关键步骤封装到transitionTo方法中了
  • 接下来,我们先看看transitionTo的实现

transitionTo

  • 前面介绍过,transitionTo方法定义在基类History上的
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
// src/history/base.js

...
// 父类
export class History {
  ...

  // 路由跳转
  transitionTo (
    location: RawLocation, // 原始location,一个url或者是一个Location interface(自定义形状,在types/router.d.ts中定义)
    onComplete?: Function// 跳转成功回调
    onAbort?: Function// 跳转失败回调
  ) {
    const route = this.router.match(location, this.current) // 传入需要跳转的location和当前路由对象,返回to的Route

    // 确认跳转
    this.confirmTransition(
      route,
      () => { // onComplete,完成
        this.updateRoute(route) // 更新route,会触发afterEach钩子
        onComplete && onComplete(route) // 调用onComplete回调
        this.ensureURL()
        // fire ready cbs once
        // 触发ready回调
        if (!this.ready) {
          this.ready = true
          this.readyCbs.forEach(cb => {
            cb(route)
          })
        }
      },
      err => { // onAbort,报错(取消)
        if (onAbort) {
          onAbort(err)
        }
        // 触发error回调
        if (err && !this.ready) {
          this.ready = true
          this.readyErrorCbs.forEach(cb => {
            cb(err)
          })
        }
      }
    )
  }
}
  • setupListeners章节也介绍过transitionTo的方法签名
  • 接收三个参数
    • locationRawLocation类型,代表需要解析的地址
    • onComplete是跳转成功回调,在路由跳转成功时调用
    • onAbort是跳转失败(取消)回调,在路由被取消时调用
  • 看下内部逻辑
  • 调用router实例match方法,从路由映射表中取到将要跳转到的路由对象route;这其实就是路由匹配过程;
  • 拿到将要跳转的route后,调用confirmTransition完成route的解析跳转,并在跳转成功、取消时调用对应回调方法;这是导航解析过程
    • 成功时,调用updateRoute触发重新渲染,然后触发相关回调;关于渲染,我们后面章节会讲
    • 取消(失败)时,触发相关回调
  • 那我们下面先看下路由匹配过程

路由匹配

  • transitionTo中会调用router实例match方法实现路由匹配
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
// src/index.js

export default class VueRouter {
...

constructor (options: RouterOptions = {}) {

this.matcher = createMatcher(options.routes || [], this)

...
}

// 获取匹配的路由对象
match (
raw: RawLocation,
current?: Route,
redirectedFrom?: Location
): Route {
return this.matcher.match(raw, current, redirectedFrom)
}
}
  • router实例的match方法,又调用的匹配器的match方法,将参数直接透传过去
    • 关于匹配的创建可以看之前的创建匹配器章节
  • 我们继续看匹配器的match方法
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
// src/create-matcher.js

...

export function createMatcher (
  routes: Array<RouteConfig>, // 路由配置列表
  router: VueRouter // VueRouter实例
): Matcher {
  ...

  // 传入location,返回匹配的Route对象
  function match (
    raw: RawLocation,
    currentRoute?: Route,
    redirectedFrom?: Location
  ): Route {
    // 获取格式化后的location,由于闭包特性,所以此处能访问到router实例
    const location = normalizeLocation(raw, currentRoute, false, router)
    const { name } = location

    // 通过name匹配
    if (name) {
      const record = nameMap[name]
      if (process.env.NODE_ENV !== 'production') {
        // 未找到警告
        warn(record, `Route with name '${name}' does not exist`)
      }

      // 未找到路由记录,则创建一个空Route返回
      if (!record) return _createRoute(null, location)

      // 获取动态路由参数名
      const paramNames = record.regex.keys
        .filter(key => !key.optional)
        .map(key => key.name)
      if (typeof location.params !== 'object') {
        location.params = {}
      }

      // 提取当前Route中符合动态路由参数名的值赋值给location
      if (currentRoute && typeof currentRoute.params === 'object') {
        for (const key in currentRoute.params) {
          if (!(key in location.params) && paramNames.indexOf(key) > -1) {
            location.params[key] = currentRoute.params[key]
          }
        }
      }

      // 填充params
      location.path = fillParams(record.path, location.params, `named route "${name}"`)

      // 创建route
      return _createRoute(record, location, redirectedFrom)
    } else if (location.path) {
      location.params = {}

      // 遍历pathList,找到能匹配到的记录,然后生成Route
      for (let i = 0; i < pathList.length; i++) {
        const path = pathList[i]
        const record = pathMap[path]
        if (matchRoute(record.regex, location.path, location.params)) {

          // 找到匹配的路由记录后,生成对应Route
          return _createRoute(record, location, redirectedFrom)
        }
      }
    }

    // no match
    return _createRoute(null, location)
  }
   
}
  • 由于router.match是将参数透传过来的,所以二者的签名一模一样
    • rawRawLocation类型,是需要进行路由匹配的地址
    • currentRoute是当前路由对象
    • redirectedFrom代表从哪个地址重定向过来的
  • 我们看下match方法逻辑
    • 首先它对传入的raw地址,进行了格式化(规范化)
    • 然后取出格式化地址中的name
    • name存在,判断是否能通过namenameMap中找到对应的路由记录RouteRecord
      • 无法找到,则创建一个新route对象返回
      • 可以找到,则填充params,并使用此路由记录创建一个新的Route对象返回
    • name不存在,则判断path是否存在
      • 存在,则利用pathList、pathMap调用matchRoute判断是否匹配,进而找到匹配的路由记录,然后使用此路由记录创建新route对象返回
    • namepath都不存在
      • 则直接创建一个新route对象返回
  • 活动图如下
  • match.png
    • match.png
  • 我们提取一下上述流程的关键词
    • 地址格式化normalizeLocation地址是否匹配判断matchRoute填充参数fillParams创建路由对象_createRoute

地址格式化 normalizeLocation

  • 我们看下为何需要对地址做格式化
  • 我们知道VueRoute定义的地址是RawLocation类型的,而它是联合类型的,支持stringLocation类型
1
2
3
4
5
6
7
8
9
10
11
12
13
14
// flow/declarations.js

declare type Location = {
_normalized?: boolean
name?: string
path?: string
hash?: string
query?: Dictionary<string>
params?: Dictionary<string>
append?: boolean
replace?: boolean
}

declare type RawLocation = string | Location
  • 所以下面的地址都是合法的
  • $router.push方法的参数也是的RawLocation类型,所以使用$router.push来举例
1
2
3
4
5
6
7
8
9
10
11
12
13
14
// 字符串形式
this.$router.push('home') // 相对
this.$router.push('/home') // 绝对

// Location 对象形式
this.$router.push({ path: 'home' })
this.$router.push({ path: '/home' })

this.$router.push({ path: '/home', query: { test: 3 } }) // 携带qs

this.$router.push({ name: 'home' }) // 命名路由
this.$router.push({ name: 'detail', params: { id: 1 } }) // 命名+带参

this.$router.push({ params: { id: 1 } }) // 仅带参,针对仅有参数变化的相对跳转;相对参数跳转
  • 可以看到VueRouter需要兼容上面所有情况,为了方便处理,需要对地址做格式化
  • 看下实现逻辑
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
// src/util/location.js

// 格式化location
export function normalizeLocation(
raw: RawLocation, // 原始location,一个string,或者是一个已经格式化后的location
current: ?Route, // 当前路由对象
append: ?boolean, // 是否是追加模式
router: ?VueRouter // VueRouter实例
): Location {
let next: Location = typeof raw === 'string' ? { path: raw } : raw // named target // 已经格式化过,直接返回

if (next._normalized) {
return next
} else if (next.name) {
// 处理命名形式,例如{name:'Home',params:{id:3}}
next = extend({}, raw)
const params = next.params
if (params && typeof params === 'object') {
next.params = extend({}, params)
}
return next
} // relative params // 处理{params:{id:1}}相对参数形式跳转

if (!next.path && next.params && current) {
next = extend({}, next)
next._normalized = true
const params: any = extend(extend({}, current.params), next.params) // 提取当前route的字段做为next的字段,因为相对参数形式,只有params,必须借助current提取一些字段

if (current.name) {
// 命名形式
next.name = current.name
next.params = params
} else if (current.matched.length) {
// path形式,从匹配记录中提取出当前path并填充参数
const rawPath = current.matched[current.matched.length - 1].path
next.path = fillParams(rawPath, params, `path ${current.path}`)
} else if (process.env.NODE_ENV !== 'production') {
warn(false, `relative params navigation requires a current route.`)
}
return next
} // 处理path形式跳转,例如{path:'/test',query:{test:3}} // 解析path

const parsedPath = parsePath(next.path || '')
const basePath = (current && current.path) || '/'
const path = parsedPath.path
? resolvePath(parsedPath.path, basePath, append || next.append)
: basePath // 解析query

const query = resolveQuery(
parsedPath.query,
next.query, // 额外需要追加的qs
router && router.options.parseQuery // 支持传入自定义解析query的方法
) // 解析hash

let hash = next.hash || parsedPath.hash
if (hash && hash.charAt(0) !== '#') {
hash = `#${hash}`
}

return {
_normalized: true, // 标识已经格式化过
path,
query,
hash,
}
}
  • 首先将string类型的转换为对象形式,方便后面统一处理
  • 如果发现地址已经做过格式化处理,则直接返回
  • 再判断是否是命名路由
    • 若是,则拷贝原始地址raw,拷贝params,直接返回
  • 处理了仅携带参数的相对路由(相对参数)跳转,就是this.$router.push({params:{id:1}})形式
    • 对这种地址的定义是没有path仅有params并且当前路由对象存在
    • 主要处理逻辑是
      • 先合并params
      • 若是命名路由,则使用current.name做为next.name,并赋值params
      • 非命名路由,从当前路由对象中找到匹配的路由记录,并取出路由记录上的path做为next.path,然后填充params
      • 返回处理好的地址
    • 由于这中跳转方式,仅有params,所以必须从当前路由对象current上获取可用字段(pathname),做为自身值,然后跳转
  • 处理通过path跳转的方式
    • 调用parsePathpath中解析出path、query、hash
    • 然后以current.pathbasePath,解析(resolve)出最终path
    • query进行合并操作
    • hash进行前追加#操作
    • 返回带有_normalized:true标识的Location对象
  • 经过上面一番处理,无论传入何种地址,都返回一个带有_normalized:true标识的Location类型的对象
  • normalize-location.png
    • normalize-location.png

地址是否匹配判断 matchRoute

  • 我们知道VueRouter是支持动态路由匹配的,如下图所示
  • dynamic-route.png
    • dynamic-route.png
  • 我们在上篇的生成路由记录章节也介绍过,VueRouter在生成路由记录时,会通过path-to-regexp包生成一个正则扩展对象并赋值到路由记录的regex字段上,用于后续的动态路由参数的获取
    • 主要的逻辑是提供一个动态路由user/:id和一个地址/user/345,通过path-to-regexp就能生成一个对象{id:345}来表达参数的映射关系
    • 是一个借助动态路由,从 url 上提取参数的过程;/user/345->{id:345}
    • 具体例子可查看生成路由记录章节
  • 上述提取参数的逻辑是在matchRoute实现的
  • matchRoute位于src/create-matcher.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
// src/create-matcher.js

// 检查path是否能通过regex的匹配,并对params对象正确赋值
function matchRoute(regex: RouteRegExp, path: string, params: Object): boolean {
const m = path.match(regex)

if (!m) {
// 无法匹配上
return false
} else if (!params) {
// 符合正则 && params不存在,则表示可以匹配
return true
} // 符合正则 && params存在,需要对params进行正确赋值 // path-to-regexp会将每个动态路由标记处处理成正则的一个组,所以i从1开始 // 参考https://www.npmjs.com/package/path-to-regexp // const keys = []; // const regexp = pathToRegexp("/foo/:bar", keys); // regexp = /^\/foo\/([^\/]+?)\/?$/i // :bar就被处理成正则的一个组了 // keys = [{ name: 'bar', prefix: '/', suffix: '', pattern: '[^\\/#\\?]+?', modifier: '' }]

for (let i = 1, len = m.length; i < len; ++i) {
const key = regex.keys[i - 1] // regex.keys返回匹配到的
const val = typeof m[i] === 'string' ? decodeURIComponent(m[i]) : m[i]
if (key) {
// Fix #1994: using * with props: true generates a param named 0
params[key.name || 'pathMatch'] = val
}
}

return truee
}
  • 通过方法签名,可以知道它返回一个boolean值,这个值代表传入的path是否能通过regex的匹配;虽然返回一个boolean值,但是其内部还做了件很重要的事,从path上提取动态路由参数值,我们看下完整逻辑
  • 首先调用path.match(regex)
  • 不能匹配直接返回false
  • 可以匹配且无params,返回true
  • 剩下的就只有一种情况,可以匹配且params存在,此时需要对params进行正确赋值
    • 整个赋值,主要是遍历path.match(regex)返回值并取出regex中存储的key,然后依次赋值,关于细节可以参考上面的注释;
    • 关于regexpath-to-regexp,可以参考生成路由记录章节和https://www.npmjs.com/package/path-to-regexp
  • 还有一个点,赋值时的pathMatch是什么?
  • 官方例子如下
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
{
// 会匹配所有路径
path: '*'
}
{
// 会匹配以 `/user-` 开头的任意路径
path: '/user-*'
}

// 给出一个路由 { path: '/user-*' }
this.$router.push('/user-admin')
this.$route.params.pathMatch // 'admin'
// 给出一个路由 { path: '*' }
this.$router.push('/non-existing')
this.$route.params.pathMatch // '/non-existing'
  • match-route.png
    • match-route.png

填充参数 fillParams

  • fillParams可以看做是matchRoute的逆操作,是一个借助动态路径,使用参数生成 url 的过程;即/user/:id+{id:345}->/user/345
  • 可以看下它的实现
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
// src/util/params.js

// 缓存
const regexpCompileCache: {
[key: string]: Function
} = Object.create(null)

// 填充动态路由参数
export function fillParams(
path: string,
params: ?Object,
routeMsg: string
): string {
params = params || {}
try {
// compile主要用来逆解析,https://www.npmjs.com/package/path-to-regexp#compile-reverse-path-to-regexp
const filler =
regexpCompileCache[path] ||
(regexpCompileCache[path] = Regexp.compile(path)) // 修复https://github.com/vuejs/vue-router/issues/2505#issuecomment-442353151 // Fix #2505 resolving asterisk routes { name: 'not-found', params: { pathMatch: '/not-found' }} // and fix #3106 so that you can work with location descriptor object having params.pathMatch equal to empty string
if (typeof params.pathMatch === 'string') params[0] = params.pathMatch // 返回逆解析后的路径

return filler(params, { pretty: true })
} catch (e) {
if (process.env.NODE_ENV !== 'production') {
// Fix #3072 no warn if `pathMatch` is string
warn(
typeof params.pathMatch === 'string',
`missing param for ${routeMsg}${e.message}`
)
}
return ''
} finally {
// delete the 0 if it was added
delete params[0]
}
}
  • 可以看到整个逆解析逻辑是借助Regexp.compile结合regexpCompileCache实现的
  • Regexp.compile接收一个动态路由path,返回一个函数,可用这个函数做逆解析;
  • Regexp.compile例子如下
1
2
3
4
// https://www.npmjs.com/package/path-to-regexp#compile-reverse-path-to-regexp

const toPath = compile('/user/:id')
toPath({ id: 123 }) //=> "/user/123"
  • 可以看到首先对Regexp.compile返回的函数做了缓存
  • 然后将matchRoute中添加的pathMatch赋值给params[0]
  • 调用Regexp.compile返回函数,以params为入参,逆解析url并返回
  • 删除添加的params[0]
  • fill-params.png
    • fill-params.png

创建路由对象_createRoute

  • 上面无论是normalizeLocationmatchRoutefillParams都是针对传入的地址做一些操作;
  • match方法的作用是找到与地址匹配的路由对象,而这个主要是由_createRoute方法实现
  • 从命名上可以看出,这是个内部方法
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
//src/create-matcher.js createMatcher方法内

function _createRoute(
record: ?RouteRecord,
location: Location,
redirectedFrom?: Location
): Route {
// 路由记录被标记为重定向
if (record && record.redirect) {
return redirect(record, redirectedFrom || location)
} // 路由记录被标记为别名路由,见create-route-map.js

if (record && record.matchAs) {
return alias(record, location, record.matchAs)
} // 正常路由记录

return createRoute(record, location, redirectedFrom, router)
}
  • 可以看到它接收三个参数
    • record用来生成Route对象的目标路由记录
    • location目标地址
    • redirectedFrom重定向的来源地址,这个参数只在发生重定向时才会有值
  • 我们知道,在新增路由记录时,会对不同类型的记录添加上不同的标记字段
    • 如为重定向路有记录添加redirect字段
    • 为别名路由添加matchAs字段
      • 具体可看前面的生成路由记录章节
  • 可以看到针对不同的路由记录类型调用了不同方法
    • 重定向路由调用redirect方法
    • 别名路由调用alias方法
    • 其余的调用createRoute方法
  • 活动图如下
  • create-route-inner.png
    • create-route-inner.png
  • 其实redirectalias方法内部也调用了createRoute方法
  • 所以我们先看createRoute方法实现

createRoute

  • createRoute位于src/util/route.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
// src/util/route.js

// 生成Route
export function createRoute(
record: ?RouteRecord,
location: Location,
redirectedFrom?: ?Location,
router?: VueRouter
): Route {
const stringifyQuery = router && router.options.stringifyQuery // 支持传入自定义序列化qs方法
let query: any = location.query || {}

try {
query = clone(query) // location.query为引用值,避免相互影响,进行深拷贝
} catch (e) {} // 生成Route

const route: Route = {
name: location.name || (record && record.name),
meta: (record && record.meta) || {},
path: location.path || '/',
hash: location.hash || '',
query,
params: location.params || {},
fullPath: getFullPath(location, stringifyQuery), // 完整path
matched: record ? formatMatch(record) : [], // 获取所有匹配的路由记录
} // 如果是从其它路由对重定向过来的,则需要记录重定向之前的地址

if (redirectedFrom) {
route.redirectedFrom = getFullPath(redirectedFrom, stringifyQuery)
} // 防止篡改

return Object.freeze(route)
}
  • 由于VueRouter支持传入自定义序列化queryString方法,所以第一步先获取序列化queryString的方法
  • 然后对query做了一个深拷贝,避免相互影响
  • 接下来就是生成新Route 对象
  • 如果是从其他路由重定向过来的,则生成完整的重定向来源地址,并赋值给新生成的Route对象
  • 最后调用Object.freeze冻结新Route 对象,因为Route对象是immutable
  • 整个流程如下
  • create-route.png
    • create-route.png
  • 可以看到生成Route时,会调用getFullPath生成完整fullPath
1
2
3
4
5
6
7
// src/util/route.js

// 获取完整path
function getFullPath({ path, query = {}, hash = '' }, _stringifyQuery): string {
const stringify = _stringifyQuery || stringifyQuery
return (path || '/') + stringify(query) + hash
}
  • 可以看到getFullPath是在path后面追加了qshash
  • 另外生成Route时,还会调用formatMatch来获取所有关联的路由记录
  • 主要通过向上查找的形式找到所有关联的路由记录
1
2
3
4
5
6
7
8
9
10
11
12
// src/util/route.js

// 格式化匹配的路由记录,当一个路由记录匹配了,如果其还有父路由记录,则父路由记录肯定也是匹配的
// /foo/bar 匹配了,则其父路由对象 /foo 肯定也匹配了
function formatMatch(record: ?RouteRecord): Array<RouteRecord> {
const res = []
while (record) {
res.unshift(record) // 队列头添加,所以父record永远在前面,当前record永远在最后;在router-view组件中获取匹配的route record时会用到
record = record.parent
}
return res
}
  • 难道一条Route不是对应(关联)一个路由对象吗?
  • 其实在术语表介绍Route路由对象时,也有所提及,一个Route路由对象可能会关联多个RouteRecord路由记录对象
  • 这是因为存在嵌套路由的情况,当子路由记录被匹配到时,其实代表着父路由记录也一定被匹配到了,看下面例子
1
2
3
4
5
6
7
8
// 当有下面的路由规则
routes: [
{
path: '/parent',
component: Parent,
children: [{ path: 'foo', component: Foo }],
},
]
  • 访问/parent/foo时,匹配到的路由记录有两个
  • match-demo-record.png
    • match-demo-record.png
  • 而且精准匹配到路由记录一定是最后一个,所以后面会看到用route.matched[route.matched.length - 1]来获取当前route对应的精准匹配的RouteRecord
  • 看完createRoute的实现,我们再来看看alias的实现

创建别名路由对象 alias

  • alias位于src/create-matcher.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
// src/create-matcher.js

// 创建别名Route
function alias(
record: RouteRecord,
location: Location,
matchAs: string
): Route {
// 获取别名的完整路径
const aliasedPath = fillParams(
matchAs,
location.params,
`aliased route with path "${matchAs}"`
) // 获取别名匹配的原始Route

const aliasedMatch = match({
_normalized: true,
path: aliasedPath,
})
if (aliasedMatch) {
const matched = aliasedMatch.matched
const aliasedRecord = matched[matched.length - 1] // 找到所有匹配的路由记录的最后一个,即当前匹配的路由记录,逻辑见route.js formatMatch方法
location.params = aliasedMatch.params
return _createRoute(aliasedRecord, location)
}

return _createRoute(null, location)
}
  • 逻辑如下
  • 先拿matchAs得到aliasedPath
  • 然后拿aliasedPath走一遍match得到aliasedMatch路由对象
  • aliasedMatch如果存在,拿aliasedMatch精准匹配的路由记录对象location,生成路由对象返回
  • 不存在,则创建一个新的路由对象返回
  • 可能有点绕,我们举个例子
    • 前面我们知道,/a设置了别名/b时,会生成两条路由记录,且/b的路由记录上的matchAs/a
      • 忘记的可以看前面的生成别名路由记录章节
    • 此处传入的aliasmatchAs就相当于/a,先拿matchAs/a得到填充过params的路径
    • 再以此路径调用match找到匹配的路由对象,记为routeA
    • 前面也提过,路由对象会关联路由记录,所以从routeA中可以得到精准匹配的路由记录routeRecordA
    • 拿此路由记录和/blocation去生成路由对象并返回
    • 这样就实现了官网上说的/a 的别名是 /b,意味着,当用户访问 /b 时,URL 会保持为 /b,但是路由匹配则为 /a,就像用户访问 /a 一样。效果
  • 活动图如下
  • alias.png
    • alias.png
  • 我们再来看看redirect的实现

创建重定向路由对象 redirect

  • 我们先看下record.redirect可能的几种情况;https://router.vuejs.org/zh/guide/essentials/redirect-and-alias.html#重定向
    • 字符串{redirect:'/'}
    • 对象{redirect:{path:'/test'}}{redirect:{name:'Test'}}
    • 也支持传入函数{redirect:to=>{ return {name:'Test'}}}
  • 我们先看这个redirect方法的入口
1
2
3
4
5
// src/create-matcher.js _createRoute方法内部

if (record && record.redirect) {
return redirect(record, redirectedFrom || location)
}
  • 由于存在多次重定向的场景,所以需要保留首次触发重定向的地址即redirectedFrom
    • /a -> /b -> /c,在/c中需要保留首次触发重定向的地址即/a
  • 多次重定向,如何保留首次触发重定向的地址呢?
    • 在第一次重定向时,redirectedFrom没有值
    • redirect方法内部会将location做为redirectedFrom参数调用match方法,match如果发现仍然需要重定向,则会继续调用redirect,此时redirectedFrom是有值的,就是首次传入的location,依次循环,这样就完成了初始地址的传递
  • 可以看下下面的例子
1
2
3
4
5
6
7
8
9
10
11
12
;[
{ path: '/foo', component: Foo },
{ path: '/baz', component: Baz, redirect: '/foo' }, // named redirect
{ path: '/named-redirect', redirect: '/baz' },
]

// src/create-matcher.js _createRoute方法内部
if (record && record.redirect) {
console.count('redirect count:') // 统计调用次数
console.log('record:', record, 'redirectedFrom:', redirectedFrom) // 打印重定向初始来源地址
return redirect(record, redirectedFrom || location)
}
  • 当我们访问/named-redirect路由时(触发路由跳转),会重定向到/baz/baz又会重定向到/foo,最终展示Foo组件;所以,redirect方法应该会被调用两次;
  • 我们可以看下上面例子的输出
  • redirect-demo.png
    • redirect-demo.png
  • 会发现redirect方法被调用了四次,前两次是路由跳转导致的redirect调用,后两次则是组件渲染时,需要解析路由从而触发的redirect调用;
  • 可以对比下调用栈
    • redirect-stack-1.png
      • redirect-stack-1.png
    • redirect-stack-2.png
      • redirect-stack-2.png
    • 可以看到第一、第二次的redirect是由transitionTo触发的
    • redirect-stack-3.png
      • redirect-stack-3.png
    • redirect-stack-4.png
      • redirect-stack-4.png
    • 而第三、第四次都是组件渲染render调用resolve触发的
      • 为何组件渲染时需要解析路由,这个我们在后面组件相关章节解释
  • 可以看到第一次调用redirect是从/named-redirect重定向到/baz,此时redirectFrom是没有值的
  • 而第二次调用是从/baz重定向到/foo,此时redirectFrom就是触发第一次重定向的地址/named-redirect
  • 而且最终的$route上也会有个redirectFrom保留了触发第一次重定向的地址
  • 上面我们只是看了redirectFrom的意义,下面我们看看redirect的具体实现
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
// src/create-matcher.js createMatcher方法内
// 创建重定向Route
function redirect(
record: RouteRecord, // 触发重定向的路由记录(需要进行重定向的路由记录,包含redirect)
location: Location // 触发重定向的初始地址()
): Route {
const originalRedirect = record.redirect
let redirect =
typeof originalRedirect === 'function' // redirect支持传入函数;https://router.vuejs.org/zh/guide/essentials/redirect-and-alias.html#重定向
? originalRedirect(createRoute(record, location, null, router))
: originalRedirect // redirect返回的是一个路径path,如'/bar'

if (typeof redirect === 'string') {
redirect = { path: redirect }
} // originalRedirect函数返回一个非string、非object的值时,给予警告,并创建一个空Route

if (!redirect || typeof redirect !== 'object') {
if (process.env.NODE_ENV !== 'production') {
warn(false, `invalid redirect option: ${JSON.stringify(redirect)}`)
}
return _createRoute(null, location)
} // 到这一步,redirect一定是个object

const re: Object = redirect
const { name, path } = re
let { query, hash, params } = location

query = re.hasOwnProperty('query') ? re.query : query
hash = re.hasOwnProperty('hash') ? re.hash : hash
params = re.hasOwnProperty('params') ? re.params : params // 重定向是命名路由形式

if (name) {
// resolved named direct
const targetRecord = nameMap[name] // 未找到命名路由警告

if (process.env.NODE_ENV !== 'production') {
assert(targetRecord, `redirect failed: named route "${name}" not found.`)
}

return match(
{
_normalized: true,
name,
query,
hash,
params,
},
undefined,
location
)
} else if (path) {
// 重定向是path形式
// 1. resolve relative redirect,解析出完整路径
const rawPath = resolveRecordPath(path, record) // 2. resolve params,填充params
const resolvedPath = fillParams(
rawPath,
params,
`redirect route with path "${rawPath}"`
) // 3. rematch with existing query and hash,重新匹配
return match(
{
_normalized: true,
path: resolvedPath,
query,
hash,
},
undefined,
location
)
} else {
if (process.env.NODE_ENV !== 'production') {
warn(false, `invalid redirect option: ${JSON.stringify(redirect)}`)
}
return _createRoute(null, location)
}
}
  • 可以看到首先对record.redirect进行规范化,统一生成一个redirect对象(重定向目标)
    • 为什么要进行规范化,前面也提过,redirect支持字符串、对象、函数类型,所以需要规范化,方便后面统一处理
  • 接下来会优先取redirectquery hash params值来做match,不存在时才会取初始地址locationquery hash params
  • 接下来会判断重定向目标是命名形式还是path形式
  • 命名形式
    • 先判断nameMap中有没有目标路由记录,没有则中断,并给予提示;
    • 再重走match流程,并将location做为redirectedFrom传入,这样就完成了redirectedFrom的传递闭环
    • match里面会继续判断是否有重定向,这样就覆盖了多重重定向的场景
  • path 形式
    • path匹配,需要获取完整路径,所以先从record拿出原始路径rawPath并填充前面解析出的params得出完整地址
    • 再拿完整地址重走match流程,同时也将location做为redirectedFrom传入,完成redirectedFrom的传递闭环
    • match里面会继续判断是否有重定向,这样就覆盖了多重重定向的场景
  • 如果既不是命名形式也不是path形式,则直接创建一个新路由对象返回
  • 流程如下
  • redirect-full.png
    • redirect-full.png

小结

  • 路由匹配的过程,其实就是拿地址RawLocation生成路由对象Route的过程,这中间路由记录RouteRecord起中间桥梁的作用,因为路由记录上保存了生成路由对象的重要信息;所以流程应该是拿地址从路由映射表中找到对应的路由记录,然后拿路由记录生成路由对象
  • 上述匹配逻辑主要由match函数实现的,关键逻辑包含地址格式化normalizeLocation地址是否匹配判断matchRoute填充参数fillParams创建路由对象_createRoute
  • normalizeLocation时,会对rawLocation进行规范化,方便后续处理
  • matchRoute时,会借助path-to-regexp检测地址是否匹配并提取出params
  • fillParams可以看做是提取params的逆向操作,主要用来对地址中的动态部分进行填充
  • _createRoute时,会分别处理别名、重定向、多重重定向等场景
  • 经过上述流程,就可以拿到RawLocation对应的Route
  • 拿到Route,我们就可以进行导航的解析

导航解析(确认)流程

  • 前面提过在transitionTo方法中,调用完match方法得到目标Route后,就会调用confirmTransition方法来做导航解析
  • 我们知道vue-router在路由跳转时,会按顺序触发各种钩子、守卫函数,例如beforeRouteLeave、beforeRouteEnter等等
  • 首先这些钩子、守卫有的是定义在vue-router实例上的,有的是路由独享的,有的是位于.vue组件中的,所以第一步必须抽出这些钩子、守卫函数统一处理
  • 其次这些钩子、守卫是按顺序依次执行的,所以需要设计一个队列和迭代器来保证顺序执行
  • 最后还有一些特殊场景需要处理,例如异步路由组件如何保证顺序执行
  • 上述的相关逻辑封装在confirmTransition
  • confirmTransition方法被定义在src/base.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
// src/base.js History类中

// 确认路由跳转
confirmTransition (/* to*/route: Route, onComplete: Function, onAbort?: Function) {
  const current = this.current /* from */

  // 取消
  const abort = err => {
    // after merging https://github.com/vuejs/vue-router/pull/2771 we
    // When the user navigates through history through back/forward buttons
    // we do not want to throw the error. We only throw it if directly calling
    // push/replace. That's why it's not included in isError
    if (!isExtendedError(NavigationDuplicated, err) && isError(err)) {
      if (this.errorCbs.length) {
        this.errorCbs.forEach(cb => {
          cb(err)
        })
      } else {
        warn(false'uncaught error during route navigation:')
        console.error(err)
      }
    }
    onAbort && onAbort(err)
  }

  // 相同Route,报重复错误
  if (
    isSameRoute(route, current) &&
    // in the case the route map has been dynamically appended to
    // 防止route map 被动态改变了
    route.matched.length === current.matched.length
  ) {
    // ensureURL由子类实现,主要根据传参确定是添加还是替换一个记录
    this.ensureURL() // 替换当前历史记录
    return abort(new NavigationDuplicated(route))
  }

  // 对比前后route的RouteRecord,找出需要更新、失活、激活的的路由记录
  const { updated, deactivated, activated } = resolveQueue(
    this.current.matched,
    route.matched
  )

  // 生成需要执行的守卫、钩子队列
  const queue: Array<?NavigationGuard> = [].concat(
    // in-component leave guards
    extractLeaveGuards(deactivated), // 提取路由组件中所有beforeRouteLeave守卫
    // global before hooks
    this.router.beforeHooks, // 全局的beforeEach守卫
    // in-component update hooks
    extractUpdateHooks(updated), // 提取路由组件中所有beforeRouteUpdate守卫
    // in-config enter guards
    activated.map(m => m.beforeEnter), // 路由独享的beforeEnter守卫
    // async components
    resolveAsyncComponents(activated)// 解析异步组件
  )

  this.pending = route // 记录将要跳转的route,方便取消对比用

  // 迭代函数
  const iterator = (hook: NavigationGuard, next) => {
    if (this.pending !== route) { // 当发现to发生变化,则代表需要取消
      return abort()
    }
    try {
      hook(/* to*/route, /* from*/current, /* next*/(to: any) => {
        if (to === false || isError(to)) {
          // next(false) -> abort navigation, ensure current URL
          // next(false) -> 取消跳转,添加一个新历史记录(但由于url地址未发生变化,所以并未添加记录)
          this.ensureURL(true)
          abort(to)
        } else if (
          typeof to === 'string' || // next('/')
          (typeof to === 'object' &&
            (typeof to.path === 'string' || typeof to.name === 'string')) // next({path:'/'})或next({name:'Home'})
        ) {
          // next('/') or next({ path: '/' }) -> redirect
          abort() // 取消当前
          if (typeof to === 'object' && to.replace) {
            // 调用子类方法的替换记录
            this.replace(to)
          } else {
            // 调用子类方法的添加记录
            this.push(to)
          }
        } else {
          // confirm transition and pass on the value
          // next()
          next(to)
        }
      })
    } catch (e) {
      abort(e)
    }
  }

  // 执行队列
  runQueue(queue, iterator, /* 执行结束回调*/() => {
    const postEnterCbs = [] // 保存beforeRouteEnter中传给next的回调函数
    const isValid = () => this.current === route // 表示跳转结束

    // wait until async components are resolved before
    // extracting in-component enter guards
    const enterGuards = extractEnterGuards(activated, postEnterCbs, isValid) // 等待异步组件解析完,再抽取组件内的beforeRouteEnter守卫
    const queue = enterGuards.concat(this.router.resolveHooks)// beforeResolve hooks
    runQueue(queue, iterator, /* 执行结束回调*/() => {
      if (this.pending !== route) {
        return abort()
      }

      this.pending = null

      onComplete(route) // 执行onComplete回调,onComplete中会调用updateRoute方法,内部会触发afterEach钩子

      if (this.router.app) {
        this.router.app.$nextTick(() => {
          // 调用 beforeRouteEnter 守卫中传给 next 的回调函数
          // next(vm=>xxx)
          postEnterCbs.forEach(cb => {
            cb()
          })
        })
      }
    })
  })
}
  • 我们可以先看下方法签名
    • route目标路由对象,需要解析的目标,可以理解为路由跳转时的to对象,而current则可以理解为from对象。
    • onComplete跳转完成的回调
    • onAbort取消、错误的回调
  • 看下主要逻辑
    • 首先处理了重复跳转的问题
    • 然后通过对比找出需要更新、失活、激活的路由记录
    • 从上述三种路由记录中抽取出对应钩子、守卫函数
    • 将钩子及守卫函数放入队列中并执行
  • 接下来,我们依次看下相关逻辑

判断重复跳转

  • 在判断重复跳转前定义了abort方法,它主要对onAbort方法做了一层包装;这个方法在导航发生取消时会被调用到
    • 它接收一个err参数,如果有注册错误回调并且err为非NavigationDuplicated错误则遍历errorCbs列表执行其中的错误回调
    • 最后调用onAbort回调并传入err参数交给外部处理
  • 接下来判断了是否重复跳转,主要利用isSameRoute检测了当前路由对象和目标路由对象是否相同,若相同且二者匹配到路由记录数量相同,则视为重复跳转,此时调用abort方法并传入NavigationDuplicated错误并终止流程
  • isSameRoute主要判断了path、name、hash、query、params等关键信息是否相同,若相同则视为相同路由对象
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
// src/util/route.js

// 是否相同route
export function isSameRoute(a: Route, b: ?Route): boolean {
if (b === START) {
return a === b
} else if (!b) {
return false
} else if (a.path && b.path) {
// path都存在,比较path、hash、query是否相同
return (
a.path.replace(trailingSlashRE, '') ===
b.path.replace(trailingSlashRE, '') &&
a.hash === b.hash &&
isObjectEqual(a.query, b.query)
)
} else if (a.name && b.name) {
// name都存在,比较name、hash、query、params是否相同
return (
a.name === b.name &&
a.hash === b.hash &&
isObjectEqual(a.query, b.query) &&
isObjectEqual(a.params, b.params)
)
} else {
return false
}
}
  • 注意,在确定是重复跳转后,仍然会调用子类的ensureURL方法来更新url

对比找出需要更新、失活、激活的路由记录

  • 判断完重复跳转后,就需要对比fromto路由对象,找出哪些路由记录需要更新,哪些失活、哪些需要激活,用来后续抽取钩子、守卫函数
1
2
3
4
5
6
// src/history/base.js confirmTransition方法中
// 对比前后route的RouteRecord,找出需要更新、失活、激活的的路由记录
const { updated, deactivated, activated } = resolveQueue(
this.current.matched,
route.matched
)
  • 可以看到逻辑封装在了resolveQueue方法中,传入了当前和目标路由对象的记录列表,从返回值中解构出了updated, deactivated, activated
  • 看下resolveQueue实现
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
// 对比curren、next的路由记录列表,找出需要更新、失活、激活的路由记录
function resolveQueue(
current: Array<RouteRecord>,
next: Array<RouteRecord>
): {
updated: Array<RouteRecord>
activated: Array<RouteRecord>
deactivated: Array<RouteRecord>
} {
let i
const max = Math.max(current.length, next.length) // 找到首个不相等的路由记录索引
for (i = 0; i < max; i++) {
if (current[i] !== next[i]) {
break
}
} // eg // current:[1,2,3] // next:[1,2,3,4,5] // i为3 // 需要更新的为[1,2,3] // 需要激活的为[4,5] // 需要失活的为[]

return {
updated: next.slice(0, i), // 索引左侧是需要更新的
activated: next.slice(i), // 索引右侧是需要激活的
deactivated: current.slice(i), // 当前索引右侧是需要失活的
}
}
  • 逻辑很简单
    • 首先找出currentnext列表长度的最大值,
    • 然后以此为循环最大次数循环找出首个不相等的路由记录索引
    • 以此索引为分界线,next列表当前索引左侧为需要更新的路由记录、索引及索引右侧的为需要激活的路由记录
    • current列表索引及右侧是需要失活的路由记录
  • 举例
  • current为:[1,2,3]next[1,2,3,4,5],当前路由对象包含1、2、3三个路由记录,目标路由对象包含1、2、3、4、5五个路由记录
  • 计算后max5
  • 循环,发现首个不相等的索引为3
  • 所以需要更新的为next.slice(0,3)1、2、3
  • 需要激活的为next.slice(3)4、5
  • 需要失活的为current.slice(3),没有需要失活的
  • 找出了需要更新、激活、失活的路由记录,我们就可以从中抽取出对应的钩子、守卫函数

抽取钩子、守卫函数、解析异步组件

  • 首先我们梳理下vue-router有哪些钩子、守卫函数
    • router.beforeEach全局前置守卫
    • router.beforeResolve全局解析守卫(v2.5.0 新增)
    • router.afterEach全局后置钩子
    • RouteConfig.beforeEnter路由独享的守卫
    • vm.beforeRouteEntervue 组件内路由进入守卫
    • vm.beforeRouteUpdatevue 组件内路由更新守卫(v2.2 新增)
    • vm.beforeRouteLeavevue 组件内路由离开守卫
  • 可以看到有些是定义VueRouter实例上的,有些是定义在配置规则RouteConfig上的,有些是定义在RouteComponent路由组件上的
    • 前两者的钩子、守卫是很容易获取到的,因为我们在History类中持有了VueRouter实例,很容易访问到这些守卫、钩子并且几乎不需要做额外处理就可以直接执行;
    • 唯一不好处理的是定义在RouteComponent路由组件中的守卫函数,需要借助RouteRecord拿到所有RouteComponent路由组件并从中抽取出对应守卫,最后还要为其绑定上下文,保证执行结果正确;
  • 上节,我们已经拿到需要更新、激活、失活的RouteRecord路由记录,我们看下分别要从中抽取出哪些守卫
  • deactivated中抽取beforeRouteLeave
  • updated中抽取beforeRouteUpdate
  • activated中抽取beforeRouteEnter,这里存在一个特殊场景,就是异步路由组件,需要等待异步路由组件解析完成后,才能抽取beforeRouteEnter守卫,这个后面会讲
  • 我们先看下抽取的入口代码
1
2
3
4
5
6
7
8
9
10
// src/history/base.js confirmTransition方法内
// 生成需要执行的守卫、钩子队列
const queue: Array<?NavigationGuard> = [].concat(
// in-component leave guards
extractLeaveGuards(deactivated), // 提取路由组件中所有beforeRouteLeave守卫 // global before hooks
this.router.beforeHooks, // 全局的beforeEach守卫 // in-component update hooks
extractUpdateHooks(updated), // 提取路由组件中所有beforeRouteUpdate守卫 // in-config enter guards
activated.map((m) => m.beforeEnter), // 路由独享的beforeEnter守卫 // async components
resolveAsyncComponents(activated) // 解析异步组件
)
  • 可以看到定义了一个队列queue
  • 依次做了下面的事
    • 抽取了deactivated中的beforeRouteLeave守卫
    • 获取了VueRouter实例上定义的beforeEach守卫
      • beforeEach守卫是直接定义在VueRouter实例上的
    • updated中抽取了beforeRouteUpdate守卫
    • activated中获取了路由独享的beforeEnter守卫
      • beforeEnter守卫最初是定义在RouteConfig上的,后面又传递给路由记录,所以在路由记录上能直接获取到
    • 解析activated中的异步路由组件
      • 路由组件支持import()动态导入,所以这里要处理
  • 我们先看方法名很类似的extractLeaveGuardsextractUpdateHooks

extractLeaveGuards、extractUpdateHooks

  • 二者都位于src/base.js
1
2
3
4
5
6
7
8
9
10
// src/base.js

// 传入路由记录列表,提取出beforeRouteLeave守卫并逆序输出
function extractLeaveGuards(deactivated: Array<RouteRecord>): Array<?Function> {
return extractGuards(deactivated, 'beforeRouteLeave', bindGuard, true)
}
// 传入路由记录列表,提取出beforeRouteUpdate钩子
function extractUpdateHooks(updated: Array<RouteRecord>): Array<?Function> {
return extractGuards(updated, 'beforeRouteUpdate', bindGuard)
}
  • 可以看到二者内部都调用了extractGuards,前者多传了一个参数true
  • 我们再看下extractGuards
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
// src/base.js

// 提取守卫
function extractGuards(
records: Array<RouteRecord>,
name: string, // 要提取的守卫名
bind: Function, // 绑定守卫上下文函数
reverse?: boolean // 是否需要逆序
): Array<?Function> {
const guards = flatMapComponents(records, (
def /*路由组件定义*/,
instance /*router-view实例*/,
match /*路由记录*/,
key /*视图名*/
) => {
const guard = extractGuard(def, name) // 提取出路由组件中的守卫函数 // 为守卫绑定上下文
if (guard) {
return Array.isArray(guard)
? guard.map((guard) => bind(guard, instance, match, key))
: bind(guard, instance, match, key)
}
}) // 扁平化 + 逆序
return flatten(reverse ? guards.reverse() : guards)
}
  • 看下方法签名
    • 接收一个路由记录数组records
      • extractLeaveGuards中传入的deactivated路由记录数组;extractUpdateHooks中传入的updated路由记录数组
    • 接收一个需要提取的守卫名name
      • beforeRouteLeavebeforeRouteUpdate字符串
    • 一个绑定守卫上下的函数bind
      • extractLeaveGuardsextractUpdateHooks传递的都是bindGuard方法,这个方法我们在下面解析
    • 以及一个是否需要逆序输出的reverse布尔值;可选参数;
      • extractLeaveGuards传递的是true,代表返回的数组(守卫函数数组)需要逆序输出;
    • 返回一个itemFunction的数组
  • 看下内部逻辑
    • 调用flatMapComponents传入records和一个接收def, instance, match, key参数的箭头函数,返回一个guards守卫数组
    • 然后根据reverse来决定是否对guards数组做逆序处理
      • 为何需要逆序?
      • createRoute章节也提过,在保存路由记录时是逆序的,精准匹配的路由记录在数组最后(length - 1位置),父记录在前
      • 部分守卫函数需要逆序逆序执行,例如beforeRouteLeave,它需要先在精准匹配的路由组件上调用,再在父组件上调用
    • 最后调用flattenguards扁平化
  • 先看下flatMapComponents实现
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
// src/util/resolve-components.js

// 扁平化路由记录中的路由组件
export function flatMapComponents(
matched: Array<RouteRecord>, // 路由记录数组
fn: Function // 回调函数
): Array<?Function> {
return flatten(
matched.map((m) => {
return Object.keys(m.components).map((key) =>
fn(
m.components[key], // 命名视图对应的路由组件定义;一般对应fn的入参def
m.instances[key], // router-view实例;一般对应fn的入参_或instance
m, // 匹配的路由记录;一般对应fn的入参match
key // 命名视图的key;一般对应fn的入参key
)
)
})
)
}
  • 可以看到其接收一个路由记录数组matched和一个函数fn,返回一个经过flatten处理的数组
    • matched就是我们传入的records
    • fn就是接收def, instance, match, key参数的箭头函数
  • 这个方法主要是遍历路由记录中的每个路由组件并用其做入参依次调用外部函数fn,返回结果由fn函数决定,最后将结果数组扁平化输出
    • 在解析异步组件时也会用到此方法
  • 其会对传入的records调用map方法,并遍历每个record上定义的components字段,并对components再次进行map遍历,然后调用传入的fnmap结果就是fn返回的结果
  • components字段是定义命名视图用的,长下面这样,key 为视图名,value 为对应路由组件
1
2
3
4
5
components: {
default: Foo,
a: Bar,
b: Baz
}
  • 所以传入的 fn,即接收def, instance, match, key参数的箭头函数的四个参数分别为
    • def对应m.components[key]即路由组件定义(Foo、Bar、Baz)
    • instance对应m.instances[key]router-view组件实例,关于路由记录和route-view是如何关联的,会在介绍view组件时解析
    • m对应的就是当前遍历到的路由记录
    • key是当前遍历到的视图名
  • 大体逻辑如下
  • flat-map-components.png
    • flat-map-components.png
  • 我们看下箭头函数内部的逻辑
1
2
3
4
5
6
7
8
9
10
11
12
13
const guards = flatMapComponents(records, (
def /*路由组件定义*/,
instance /*router-view实例*/,
match /*路由记录*/,
key /*视图名*/
) => {
const guard = extractGuard(def, name) // 提取出路由组件中的守卫函数 // 为守卫绑定上下文
if (guard) {
return Array.isArray(guard)
? guard.map((guard) => bind(guard, instance, match, key))
: bind(guard, instance, match, key)
}
})
  • 首先调用extractGuard从路由组件定义中直接抽取出对应name的守卫函数
  • 接下来调用传入extractGuardsbind方法为守卫绑定上下文
  • 我们看下extractGuard实现
1
2
3
4
5
6
7
8
9
10
11
12
13
// src/base.js

// 提取单个守卫
function extractGuard(
def: Object | Function,
key: string
): NavigationGuard | Array<NavigationGuard> {
if (typeof def !== 'function') {
// extend now so that global mixins are applied.
def = _Vue.extend(def)
}
return def.options[key]
}
  • 主要有两个逻辑
    • 调用extend以应用全局 mixins
    • 返回对应守卫函数
  • 提取完单个守卫后,就需要调用传入的bind方法对其绑定上下文;
  • bind方法其实是bindGuard
1
2
3
4
5
6
7
8
9
10
// src/history/base.js

// 将守卫的上下文绑定到vue实例(路由组件)
function bindGuard(guard: NavigationGuard, instance: ?_Vue): ?NavigationGuard {
if (instance) {
return function /*已经绑定过上下文的守卫函数*/ boundRouteGuard() {
return guard.apply(instance, arguments)
}
}
}
  • 经过上面的上下文绑定,从路由组件中抽取出的守卫函数就又回来到路由组件上下文中执行了,这样就保证了守卫函数无论在何处被调用,都能返回正确的结果
  • 小结
  • extractGuards主要完成了从路由组件中抽取守卫函数并为其绑定上下文的工作
  • extract-guards.png
    • extract-guards.png
  • 接下来我们要对激活的路由记录进行异步组件的解析
  • 主要通过resolveAsyncComponents方法实现的

resolveAsyncComponents

  • 在看如何解析异步组件前,我们先看下vue中的异步组件长什么样?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
// https://cn.vuejs.org/v2/guide/components-dynamic-async.html#异步组件

// 接收resolve,reject
Vue.component('async-example', function (resolve, reject) {
setTimeout(function () {
// 向 `resolve` 回调传递组件定义
resolve({
template: '<div>I am async!</div>',
})
}, 1000)
})

// 结合require使用
Vue.component('async-webpack-example', function (resolve) {
// 这个特殊的 `require` 语法将会告诉 webpack
// 自动将你的构建代码切割成多个包,这些包
// 会通过 Ajax 请求加载
require(['./my-async-component'], resolve)
})

// 结合import()使用
Vue.component(
'async-webpack-example', // 这个动态导入会返回一个 `Promise` 对象。
() => import('./my-async-component')
)

// 局部注册
new Vue({
// ...
components: {
'my-component': () => import('./my-async-component'),
},
})

// 带有加载状态
const AsyncComponent = () => ({
// 需要加载的组件 (应该是一个 `Promise` 对象)
component: import('./MyComponent.vue'), // 异步组件加载时使用的组件
loading: LoadingComponent, // 加载失败时使用的组件
error: ErrorComponent, // 展示加载时组件的延时时间。默认值是 200 (毫秒)
delay: 200, // 如果提供了超时时间且组件加载也超时了, // 则使用加载失败时使用的组件。默认值是:`Infinity`
timeout: 3000,
})
  • 文档对异步组件的描述是Vue 允许你以一个工厂函数的方式定义你的组件,这个工厂函数会异步解析你的组件定义
  • 可以理解为:异步组件是一个工厂函数,函数内resolve、reject组件的定义、返回一个Promise、返回一个带有特定标识字段的对象
  • 解析路由记录中的异步组件代码位于src/util/resolve-components.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
// src/util/resolve-components.js

// 解析异步组件,返回一个接收to, from, next参数的函数
export function resolveAsyncComponents(matched: Array<RouteRecord>): Function {
return (to, from, next) => {
let hasAsync = false
let pending = 0
let error = null
flatMapComponents(matched, (
/*路由组件定义*/ def,
/*router-view实例*/ _,
/*路由记录*/ match,
/*视图名*/ key
) => {
// if it's a function and doesn't have cid attached,
// assume it's an async component resolve function.
// we are not using Vue's default async resolving mechanism because
// we want to halt the navigation until the incoming component has been
// resolved.
// def.cid为实例构造函数标识;https://github.com/vuejs/vue/search?q=cid&unscoped_q=cid
// 组件的定义是函数且组件cid还未设置,则认为其是一个异步组件
if (typeof def === 'function' && def.cid === undefined) {
hasAsync = true
pending++ // 解析

const resolve = once((resolvedDef) => {
// 加载后的组件定义是一个esm
if (isESModule(resolvedDef)) {
resolvedDef = resolvedDef.default
} // save resolved on async factory in case it's used elsewhere // 保留异步组件工厂函数,方便后续使用
def.resolved =
typeof resolvedDef === 'function'
? resolvedDef
: _Vue.extend(resolvedDef)
match.components[key] = resolvedDef // 替换路由记录的命名视图中的组件
pending--
if (pending <= 0) {
// 所有异步组件加载完
next()
}
}) // 报错
const reject = once((reason) => {
const msg = `Failed to resolve async component ${key}${reason}`
process.env.NODE_ENV !== 'production' && warn(false, msg)
if (!error) {
error = isError(reason) ? reason : new Error(msg)
next(error)
}
}) // 异步组件,https://cn.vuejs.org/v2/guide/components-dynamic-async.html#异步组件

let res
try {
res = def(resolve, reject) // 返回promise
} catch (e) {
reject(e)
}
if (res) {
if (typeof res.then === 'function') {
res.then(resolve, reject)
} else {
// new syntax in Vue 2.3
// 处理加载状态,返回一个包对象;https://cn.vuejs.org/v2/guide/components-dynamic-async.html#处理加载状态
const comp = res.component // 是通过import()加载,返回的是一个promise
if (comp && typeof comp.then === 'function') {
comp.then(resolve, reject)
}
}
}
}
}) // 没有异步组件,直接next

if (!hasAsync) next()
}
}
  • 可以看到其接收一个路由记录数组matched,返回一个接收from、to、next的函数,内部是异步组件的解析逻辑
  • resolveAsyncComponents被调用时并不会执行解析异步组件的逻辑,因为其只会返回一个函数,返回的函数会在运行队列时才会被调用,这时才会解析异步组件
  • 队列的运行,我们后面再看,我们先看下返回的函数内部是什么逻辑
    • 定义了一个是否有异步组件的标识字段hasAsync、以及当前待解析的异步组件数量pending
    • 然后调用了flatMapComponents拿到records中的所有路由组件,并依次调用传入的回调方法
    • 回调方法会接收到被遍历的路由组件,此时需要判断这个路由组件是否是异步组件,如果是,则开始异步组件的解析,否则跳过
    • 如果遍历结束发现hasAsync仍然为false,代表没有异步组件直接next()进行下一步即可
  • 如何确定某个组件是否是异步组件呢?
    • 前面我们说过,在vue中异步组件一定是个工厂函数,内部会调用resove、reject或返回Promise或返回特定格式对象,总之他肯定是个函数
    • 其次vue中每个实例都会有个唯一标识cid,如果有cid就代表已经生成相应实例,所以异步组件的cid一定为undefined
    • 所以判断是否是异步组件的依据就是 函数 && cid === 'undefined'
  • 如果判断是异步组件,则将hasAsync置为true并让pending自增,代表有发现异步组件,在解析完组件后pending自减,当pending<=0则代表异步组件解析结束,可以调用next进行下一步
  • 前面提过,vue的异步组件工厂函数会接收resolve、reject两个方法并在从服务器得到组件定义后被调用;
  • 在接收到服务器返回异步组件的定义时,这两个方法会被传入异步组件工厂函数
  • 由于异步组件工厂函数会返回一个Promise函数或特定格式的对象,所以会有下面情况
    • 如果是返回Promise,则将这两方法再传入返回的Promise.then
    • 如果返回特定格式对象,则找到component字段,并将这两方法再传入component.then
  • 由于resolve、reject已经被once包装,即使传入多次,也只会被执行一次
  • 我们看下resolve、reject方法
  • 他们都被一个once方法包裹以保证只会被执行一次
  • reject
    • 直接抛出一个错误并调用next传递到下一流程
  • resolve
    • 先判断下是否是esm,若是,则取其.default字段来获取组件定义
    • 拿到组件定义后,会先保留异步组件工厂函数,方便后续使用
    • 然后替换路由记录的命名视图中的对应组件,这就完成了组件的解析并绑定到路由记录上
  • 再次重申上面提到的逻辑都是resolveAsyncComponents返回的函数逻辑,这个函数逻辑会等到队列被执行时才实际调用
  • 至此,我们的队列queue已经包含了抽取出来的守卫、钩子、包含解析异步组件逻辑的函数
  • 队列已经构建完成,下面我们来看看它是如何执行的

守卫队列的执行

  • 队列的执行是通过runQueue、iterator相互配合来实现的

runQueue

  • runQueue方法位于src/util/async.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
// src/util/async.js

/* @flow */
// 队列执行函数
// queue 需要执行的队列
// fn 迭代函数
// cb 回调函数
export function runQueue(
queue: Array<?NavigationGuard>,
fn: Function,
cb: Function
) {
const step = (index) => {
// 全部执行完,执行回调
if (index >= queue.length) {
cb()
} else {
// 存在,执行迭代函数
if (queue[index]) {
fn(
queue[index],
/* next*/ () => {
step(index + 1)
}
)
} else {
// 否则,跳到下个执行
step(index + 1)
}
}
}
step(0)
}
  • 可以看到它接收一个队列queue、一个迭代函数fn、一个执行完毕的回调函数cb
  • 内部是一个递归的实现
  • 定义了一个step函数并接收一个标识队列执行步骤的index
  • 必须通过手动调用step才能跳到下一个队列项的执行
    • 在解析组件时会用到
  • index大于等于队列的长度时(递归的结束条件),代表队列项全执行完毕,可以调用cb
  • 否则,若还有队列项,则继续调用迭代函数fn并传入队列项和跳转下个队列项的step(index + 1)函数
  • 若无队列项了,则直接跳到下个队列项的执行
  • 递归通过step(0)来激活

iterator

  • 迭代器相关代码好下
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
// src/history/base.js

// 迭代函数
const iterator = (hook: NavigationGuard, next) => {
if (this.pending !== route) {
// 当发现to发生变化,则代表需要取消
return abort()
}
try {
hook(
/* to*/ route,
/* from*/ current,
/* next*/ (to: any) => {
if (to === false || isError(to)) {
// next(false) -> abort navigation, ensure current URL
// next(false) -> 取消跳转,添加一个新历史记录(但由于url地址未发生变化,所以并未添加记录)
this.ensureURL(true)
abort(to)
} else if (
typeof to === 'string' || // next('/')
(typeof to === 'object' &&
(typeof to.path === 'string' || typeof to.name === 'string'))
) {
// next({path:'/'})或next({name:'Home'})
// next('/') or next({ path: '/' }) -> redirect
abort() // 取消当前
if (typeof to === 'object' && to.replace) {
// 调用子类方法的替换记录
this.replace(to)
} else {
// 调用子类方法的添加记录
this.push(to)
}
} else {
// confirm transition and pass on the value
// next()
next(to)
}
}
)
} catch (e) {
abort(e)
}
}
  • 可以看到其接收一个hook也就是守卫队列中的守卫、钩子函数和next函数(runQueue传递过来的step函数)
  • 当在执行的过程中,路由发生变化,会立即取消
  • 然后尝试调用hook,并传入目标路由对象、当前路由对象、以及一个接收to的箭头函数
  • 其实这三个参数就对应守卫会接收到的from、to、next三个参数
1
2
3
router.beforeEach((to, from, next) => {
// ...
})
  • 我们知道守卫的next是一个function,并能接收下面几种参数以满足不同的路由跳转需求
    • next(): 进行管道中的下一个钩子。
    • next(false): 中断当前的导航。
    • next('/') 或者 next({ path: '/' }): 跳转到一个不同的地址。当前的导航被中断,然后进行一个新的导航。你可以向 next 传递任意位置对象,且允许设置诸如 replace: true、name: ‘home’ 之类的选项以及任何用在 router-link 的 to prop 或 router.push 中的选项。
    • next(error): (2.4.0+) 如果传入 next 的参数是一个 Error 实例,则导航会被终止且该错误会被传递给 router.onError() 注册过的回调。
  • 上面接收to的箭头函数就处理了上述几种场景
  • 队列中的每一项都会在iterator中被调用一次并通过next()到跳转到下一个队列项的执行
  • 了解了runQueue、iterator后,我们再来看看队列实际执行的代码是什么样的

队列执行

  • 队列执行的完整代码如下
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
// src/history/base.js

// 执行队列
runQueue(
queue,
iterator,
/* 执行结束回调*/ () => {
const postEnterCbs = [] // 保存beforeRouteEnter中传给next的回调函数
const isValid = () => this.current === route // 表示跳转结束 // wait until async components are resolved before // extracting in-component enter guards
const enterGuards = extractEnterGuards(activated, postEnterCbs, isValid) // 等待异步组件解析完,再抽取组件内的beforeRouteEnter守卫
const queue = enterGuards.concat(this.router.resolveHooks) // beforeResolve hooks
runQueue(
queue,
iterator,
/* 执行结束回调*/ () => {
if (this.pending !== route) {
return abort()
}
this.pending = null
onComplete(route) // 执行onComplete回调,onComplete中会调用updateRoute方法,内部会触发afterEach钩子
if (this.router.app) {
this.router.app.$nextTick(() => {
// 调用 beforeRouteEnter 守卫中传给 next 的回调函数
// next(vm=>xxx)
postEnterCbs.forEach((cb) => {
cb()
})
})
}
}
)
}
)
  • 可以看到,传入了队列queue、迭代器iterator以及一个全部执行结束的回调函数
  • 先回顾下queue队列中有哪些元素
    • beforeRouteLeave守卫
    • 全局的beforeEach守卫
    • beforeRouteUpdate守卫
    • beforeEnter守卫
    • 以及一个高阶函数,执行后会返回解析异步组件的函数
  • 队列中的函数会在队列执行时依次在iterator中被调用
  • 前面几个都是已经提取出来的守卫函数,可以同步执行
  • 但是最后一个高阶函数执行后,会返回一个解析异步组件的函数
  • 其借助闭包的特性,能访问从iterator中传入的from、to、next
  • 然后在解析完异步组件后调用next,进入队列下一项的执行
  • 这样就能保证,即使队列中有异步函数,也能顺序地将队列执行完
  • 在整个守卫队列执行完后,就会执行结束回调
  • 执行结束回调时,此时异步组件已经全部解析完毕,就可以抽取beforeRouteEnter

抽取 beforeRouteEnter

  • 抽取beforeRouteEnter和其它守卫稍微有点不同
    1. 因为beforeRouteEnter所在的组件可能是异步的,所以beforeRouteEnter必须等到异步组件解析完毕才能开始抽取
    1. 还有一个不同,就是在路由过渡动画为out-in时,异步组件可能已经解析完毕了,但是router-view实例可能还未注册,此时是不能调用beforeRouteEnter的;具体见issue #750
  • 因为beforeRouteEnter支持传一个回调给next来访问组件实例,就像下面这样
1
2
3
4
beforeRouteEnter (to, from, next) {
next(/*postEnterCb*/vm => {
// 通过 `vm` 访问组件实例
})}
  • 而这个vm是保存在router-view实例上的,所以需要等到router-view实例存在时,才能调用回调
  • 我们看下代码实现
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
//src/history/base.js

...
const postEnterCbs = [] // 保存beforeRouteEnter中传给next的回调函数
const isValid = () => this.current === route // 表示跳转结束
// wait until async components are resolved before
// extracting in-component enter guards
const enterGuards = extractEnterGuards(activated, postEnterCbs, isValid) // 等待异步组件解析完,再抽取组件内的beforeRouteEnter守卫
...


// 提取组件的beforeRouteEnter守卫
function extractEnterGuards (
  activated: Array<RouteRecord>,
  cbs: Array<Function>, // postEnterCbs
  isValid: () => boolean
): Array<?Function> {
  return extractGuards(
    activated,
    'beforeRouteEnter',
    (guard, _, match, key) => { /* 绑定beforeRouteEnter的执行上下文 */
      return bindEnterGuard(guard, match, key, cbs, isValid)
    }
  )
}

// 绑定beforeRouteEnter的执行上下文
function bindEnterGuard (
  guard: NavigationGuard,
  match: RouteRecord,
  key: string,
  cbs: Array<Function>, // postEnterCbs
  isValid: () => boolean
): NavigationGuard {
  // 对组件内的beforeRouteEnter进行了包装
  return function routeEnterGuard (to, from, next{
    // 调用组件内beforeRouteEnter守卫
    return guard(to, from/* beforeRouteEnter next函数;cb为next中回调*/cb => {
      if (typeof cb === 'function') {
        cbs.push(() => {
          // #750
          // if a router-view is wrapped with an out-in transition,
          // the instance may not have been registered at this time.
          // we will need to poll for registration until current route
          // is no longer valid.
          // 如果router-view被out-in transition包裹
          // 在确认路由,准备调用beforeRouteEnter守卫时,router-view实例可能还不存在
          // 但是此时this.current已经为to
          // 所以必须轮询调用cb直到instance存在
          poll(cb, match.instances, key, isValid)
        })
      }
      // 迭代器下步
      next(cb)
    })
  }
}

// 轮询调用cb
function poll (
  cb: any/* cb为beforeRouteEnter next中回调*/ // somehow flow cannot infer this is a function
  instances: Object,
  key: string,
  isValid: () => boolean
) {
  if (
    instances[key] &&
    !instances[key]._isBeingDestroyed // do not reuse being destroyed instance
  ) {
    cb(instances[key])
  } else if (isValid()) {
    setTimeout(() => {
      poll(cb, instances, key, isValid)
    }, 16)
  }
}
  • 可以看到在调用extractEnterGuards
  • 在外层声明了一个postEnterCbs数组
    • 用来保存beforeRouteEnter中传给next的回调函数,我们称为postEnterCb,也就是进入后的回调
  • 以及一个判断跳转是否结束的isValid函数
  • isValid函数会被传入extractEnterGuards
  • extractEnterGuards中通过高阶函数形式返回一个包装了beforeRouteEnter的具名函数routeEnterGuard,其会在执行队列时被调用,并执行真正的beforeRouteEnter守卫guard
  • guard在被执行时,会接收from、to以及一个被’改造’过的next,其接收一个postEnterCb
  • 这个postEnterCb可能在将来需要访问vm
  • 所以将postEnterCbpoll方法包裹塞入在外面定义好的postEnterCbs数组中
  • poll方法主要是用来解决前面提到的issue #750的,它会一直轮询,直到router-view实例存在时,再调用postEnterCb并传入挂载到router-view上的组件实例
  • 这样就实现了next中能访问到组件实例的逻辑
  • 抽取完beforeRouteEnter守卫和其中的postEnterCbs后,又在queue后拼接了beforeResolve守卫
1
2
const enterGuards = extractEnterGuards(activated, postEnterCbs, isValid) // 等待异步组件解析完,再抽取组件内的beforeRouteEnter守卫
const queue = enterGuards.concat(this.router.resolveHooks) // beforeResolve hooks
  • 此时queue中是routeEnterGuard函数及resolveHook
  • 然后执行此队列,队列中的routerEnterGuardresolveHook会执行
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
runQueue(
queue,
iterator,
/* 执行结束回调*/ () => {
if (this.pending !== route) {
return abort()
}
this.pending = null
onComplete(route) // 执行onComplete回调,onComplete中会调用updateRoute方法,内部会触发afterEach钩子
if (this.router.app) {
this.router.app.$nextTick(() => {
// 调用 beforeRouteEnter 守卫中传给 next 的回调函数
// next(vm=>xxx)
postEnterCbs.forEach((cb) => {
cb()
})
})
}
}
)
  • 执行的逻辑和之前类似,beforeRouteEnterbeforeResolve会被依次调用,然后执行队列结束回调
  • 队列结束回调中会调用onComplete并传入目标Route并在$nextTick中遍历之前保存的postEnterCbs,即传入next的回调
  • 此处的onComplete是确认路由时(confirmTransition)传入的
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
// src/history/base.js transitionTo方法中

this.confirmTransition(
route,
() => { // onComplete,完成
this.updateRoute(route) // 更新route,会触发afterEach钩子
onComplete && onComplete(route) // 调用onComplete回调
this.ensureURL()

// fire ready cbs once
// 触发ready回调
if (!this.ready) {
this.ready = true
this.readyCbs.forEach(cb => {
cb(route)
})
}
},
// onAbort回调
err=>{...}
)
  • 可以看到其调用updateRoute来更新route,这会触发afterEach钩子
  • 调用ensureURL更新 url
  • 并调用传入transitionToonComplete函数,主要用来在vue-router初始化时为hash模式做初始化绑定(setupHashListener)
  • 最后触发通过onReady注册的readyCbs回调
1
2
3
4
5
6
7
8
9
10
11
// src/history/base.js

  // 更新路由,触发afterEach钩子
  updateRoute (route: Route) {
    const prev = this.current
    this.current = route// 更新current
    this.cb && this.cb(route) // 调用updateRoute回调,回调中会重新为_routerRoot._route赋值,进而触发router-view的重新渲染
    this.router.afterHooks.forEach(hook => { // 触发afterEach狗子
      hook && hook(/* to*/route, /* from*/prev)
    })
  }
  • updateRoute会调用History上通过listen方法注册的更新回调,触发roter-view的重新渲染
  • 这些更新回调是在vue-router初始化时注册的
1
2
3
4
5
6
// src/index.js init
history.listen((route) => {
this.apps.forEach((app) => {
app._route = route // 更新route
})
})
  • 然后执行所有afterEach钩子
  • 至此一次完整的路由跳转完成,相应的守卫及钩子也触发完成

总结

  • 整个导航的解析(确认),其实就是从不同状态的路由记录中抽取出对应的守卫及钩子
  • 然后组成队列,使用runQueueiterator巧妙的完成守卫的执行
  • 并在其中处理了异步组件的解析、postEnterCb中实例获取的问题
  • 整个守卫、钩子的执行流程如下
    • 导航被触发。
    • 在失活的组件里调用 beforeRouteLeave 守卫。
    • 调用全局的 beforeEach 守卫。
    • 在重用的组件里调用 beforeRouteUpdate 守卫 (2.2+)。
    • 在路由配置里调用 beforeEnter。
    • 解析异步路由组件。
    • 在被激活的组件里调用 beforeRouteEnter。
    • 调用全局的 beforeResolve 守卫 (2.5+)。
    • 导航被确认。
    • 调用全局的 afterEach 钩子。
    • 触发 DOM 更新。
    • 用创建好的实例调用 beforeRouteEnter 守卫中传给 next 的回调函数。

参考

PS

npm 包

交流

  • 如果有问题,可以加微信交流,共同成长,共同进步~