vue路由守卫怎么实现
时间: 2024-01-30 11:03:59 浏览: 106
vue2.0 实现导航守卫(路由守卫)
Vue路由守卫可以通过Vue Router提供的导航守卫来实现。Vue Router提供了3种导航守卫:
1. 全局前置守卫:router.beforeEach
可以通过在router对象上注册beforeEach守卫函数来实现全局的前置守卫。在访问路由之前,beforeEach守卫函数会被调用,可以在函数中进行权限验证、登录验证等操作,如果验证失败,则可以取消路由访问,或者跳转到指定的路由。
2. 路由独享的守卫:beforeEnter
可以在路由配置对象中定义beforeEnter守卫函数,该函数在进入该路由之前被调用,可以在函数中进行特定的路由验证操作,如果验证失败,则可以取消路由访问,或者跳转到指定的路由。
3. 组件内的守卫:beforeRouteEnter、beforeRouteUpdate、beforeRouteLeave
可以在组件内部定义beforeRouteEnter、beforeRouteUpdate、beforeRouteLeave三个守卫函数,这些函数分别在进入路由、路由更新、离开路由时被调用。这些守卫函数可以用于组件的数据初始化、数据更新等操作。
下面是一个示例代码:
```javascript
// 全局前置守卫
router.beforeEach((to, from, next) => {
// 进行登录验证
if (to.meta.requireAuth && !isAuthenticated()) {
next({
path: '/login',
query: { redirect: to.fullPath } // 将跳转的路由path作为参数,登录成功后跳转到该路由
})
} else {
next() // 放行
}
})
// 路由独享的守卫
const router = new VueRouter({
routes: [
{
path: '/admin',
component: Admin,
beforeEnter: (to, from, next) => {
// 进行权限验证
if (isAdmin()) {
next()
} else {
next('/login')
}
}
}
]
})
// 组件内的守卫
export default {
beforeRouteEnter(to, from, next) {
// 获取组件数据
fetchData((data) => {
next(vm => {
// 在组件实例化之后,将数据设置到组件的data中
vm.data = data
})
})
},
beforeRouteUpdate(to, from, next) {
// 在路由更新时,重新获取组件数据并更新
fetchData((data) => {
this.data = data
next()
})
},
beforeRouteLeave(to, from, next) {
// 在离开路由时,进行数据的清理操作
clearData()
next()
}
}
```
阅读全文