专栏目录请点击
全局守卫
前置守卫
const router = createRouter({ ... })
router.beforeEach((to, from) => {
return false
})
参数
to 即将要进入的目标from 当前导航正要离开的路由next 表示路由是否要放行,他是一个函数,里面可以跟一个对象,对象中是重定向的路由,每次导航需要注意的是,next只能调用一次
返回值
false 表示取消导航,不跳转- 一个路由地址,效果和
router.push 相同 true 或者undefined ,直接导航到to 所在的路由
错误抓取
当路由跳转出现任何错误的时候,都会调用onError 事件 点击
解析守卫
调用时机:导航被确认之前,同时在所有组件内守卫和异步路由组件被解析之后,解析守卫就被正确调用。
router.beforeResolve(async to => {
if (to.meta.requiresCamera) {
try {
await askForCameraPermission()
} catch (error) {
if (error instanceof NotAllowedError) {
return false
} else {
throw error
}
}
}
})
后置钩子
- 后置钩子不会接受
next 函数,也不会改变到行本身 - 一般用于它们对于分析、更改页面标题、声明页面等辅助功能
router.afterEach((to, from, failure) => {
if (!failure) sendToAnalytics(to.fullPath)
})
单个路由
路由守卫只会在进入路由的时候触发,不会在其参数,如 params 、query 或 hash 改变的时候触发
路由独享守卫
函数
const routes = [
{
path: '/users/:id',
component: UserDetails,
beforeEnter: (to, from) => {
return false
},
},
]
数组
function removeQueryParams(to) {
if (Object.keys(to.query).length)
return { path: to.path, query: {}, hash: to.hash }
}
function removeHash(to) {
if (to.hash) return { path: to.path, query: to.query, hash: '' }
}
const routes = [
{
path: '/users/:id',
component: UserDetails,
beforeEnter: [removeQueryParams, removeHash],
},
{
path: '/about',
component: UserDetails,
beforeEnter: [removeQueryParams],
},
]
组件级
beforeRouteEnter :不可以访问this ,因为守卫在导航确认前被调用,因此即将登场的新组件还没被创建。beforeRouteUpdate beforeRouteLeave
const UserDetails = {
template: `...`,
beforeRouteEnter(to, from) {
},
beforeRouteUpdate(to, from) {
},
beforeRouteLeave(to, from) {
},
}
对于beforeRouteEnter 我们可以传递一个回调来访问组件的实例
beforeRouteEnter (to, from, next) {
next(vm => {
})
}
离开守卫,我们一般用于做某些验证,返回false 来取消跳转
beforeRouteLeave (to, from) {
const answer = window.confirm('Do you really want to leave? you have unsaved changes!')
if (!answer) return false
}
组合式api
- onBeforeRouteUpdate
- onBeforeRouteLeave 点击
完整的导航解析流程
- 导航被触发。
- 在失活的组件里调用
beforeRouteLeave 守卫。 - 调用全局的
beforeEach 守卫。 - 在重用的组件里调用
beforeRouteUpdate 守卫(2.2+)。 - 在路由配置里调用
beforeEnter 。 - 解析异步路由组件。
- 在被激活的组件里调用
beforeRouteEnter 。 - 调用全局的
beforeResolve 守卫(2.5+)。 - 导航被确认。
- 调用全局的
afterEach 钩子。 - 触发
DOM 更新。 - 调用
beforeRouteEnter 守卫中传给 next 的回调函数,创建好的组件实例会作为回调函数的参数传入。
|