前端定义好路由,而且在路由上标记相应的权限信息css
const routerMap = [ { path: '/permission', component: Layout, redirect: '/permission/index', alwaysShow: true, // will always show the root menu meta: { title: 'permission', icon: 'lock', roles: ['admin', 'editor'] // you can set roles in root nav }, children: [{ path: 'page', component: () => import('@/views/permission/page'), name: 'pagePermission', meta: { title: 'pagePermission', roles: ['admin'] // or you can only set roles in sub nav } }, { path: 'directive', component: () => import('@/views/permission/directive'), name: 'directivePermission', meta: { title: 'directivePermission' // if do not set roles, means: this page does not require permission } }] }] 复制代码
全局路由守卫每次都判断用户是否已经登陆,没有登陆则跳到登陆页。已经登陆(已经取得后台返回的用户的权限信息(角色之类的)),则判断当前要跳转的路由,用户是否有权限访问(根据路由名称到所有路由里找到对应的路由,判断用户是否具有路由上标注的权限信息(好比上面的roles: ['admin', 'editor']
))。没有权限则跳到事先定义好的界面(403,404之类的)。前端
这种方式,菜单能够直接用路由生成(用户没有权限的菜单也会显示,点击跳转的时候才作权限判断),也能够在用户登陆后根据用户权限把路由过滤一遍生成菜单(菜单须要保存在vuex里)。vue
目前iview-admin仍是用的这种方式webpack
加载全部的路由,若是路由不少,而用户并非全部的路由都有权限访问,对性能会有影响。git
全局路由守卫里,每次路由跳转都要作权限判断。github
菜单信息写死在前端,要改个显示文字或权限信息,须要从新编译web
菜单跟路由耦合在一块儿,定义路由的时候还有添加菜单显示标题,图标之类的信息,并且路由不必定做为菜单显示,还要多加字段进行标识vue-router
针对前一种实现方式的缺点,能够将登陆页与主应用放到不一样的页面(不在同一个vue应用实例里)。vuex
登陆成功后,进行页面跳转(真正的页面跳转,不是路由跳转),并将用户权限传递到主应用所在页面,主应用初始化以前,根据用户权限筛选路由,筛选后的路由做为vue的实例化参数,而不是像前一种方式全部的路由都传递进去,也不须要在全局路由守卫里作权限判断了。element-ui
addRoutes
动态挂载路由addRoutes
容许在应用初始化以后,动态的挂载路由。有了这个新姿式,就不用像前一种方式那样要在应用初始化之要对路由进行筛选。
应用初始化的时候先挂载不须要权限控制的路由,好比登陆页,404等错误页。
有个问题,addRoutes
应该什么时候调用,在哪里调用
登陆后,获取用户的权限信息,而后筛选有权限访问的路由,再调用addRoutes
添加路由。这个方法是可行的。可是不可能每次进入应用都须要登陆,用户刷新浏览器又要登录一次。
因此addRoutes
仍是要在全局路由守卫里进行调用
import router from './router' import store from './store' import { Message } from 'element-ui' import NProgress from 'nprogress' // progress bar import 'nprogress/nprogress.css'// progress bar style import { getToken } from '@/utils/auth' // getToken from cookie NProgress.configure({ showSpinner: false })// NProgress Configuration // permission judge function function hasPermission(roles, permissionRoles) { if (roles.indexOf('admin') >= 0) return true // admin permission passed directly if (!permissionRoles) return true return roles.some(role => permissionRoles.indexOf(role) >= 0) } const whiteList = ['/login', '/authredirect']// no redirect whitelist router.beforeEach((to, from, next) => { NProgress.start() // start progress bar if (getToken()) { // determine if there has token /* has token*/ if (to.path === '/login') { next({ path: '/' }) NProgress.done() // if current page is dashboard will not trigger afterEach hook, so manually handle it } else { if (store.getters.roles.length === 0) { // 判断当前用户是否已拉取完user_info信息 store.dispatch('GetUserInfo').then(res => { // 拉取user_info const roles = res.data.roles // note: roles must be a array! such as: ['editor','develop'] store.dispatch('GenerateRoutes', { roles }).then(() => { // 根据roles权限生成可访问的路由表 router.addRoutes(store.getters.addRouters) // 动态添加可访问路由表 next({ ...to, replace: true }) // hack方法 确保addRoutes已完成 ,set the replace: true so the navigation will not leave a history record }) }).catch((err) => { store.dispatch('FedLogOut').then(() => { Message.error(err || 'Verification failed, please login again') next({ path: '/' }) }) }) } else { // 没有动态改变权限的需求可直接next() 删除下方权限判断 ↓ if (hasPermission(store.getters.roles, to.meta.roles)) { next()// } else { next({ path: '/401', replace: true, query: { noGoBack: true }}) } // 可删 ↑ } } } else { /* has no token*/ if (whiteList.indexOf(to.path) !== -1) { // 在免登陆白名单,直接进入 next() } else { next('/login') // 不然所有重定向到登陆页 NProgress.done() // if current page is login will not trigger afterEach hook, so manually handle it } } }) router.afterEach(() => { NProgress.done() // finish progress bar }) 复制代码
关键的代码以下
if (store.getters.roles.length === 0) { // 判断当前用户是否已拉取完user_info信息 store.dispatch('GetUserInfo').then(res => { // 拉取user_info const roles = res.data.roles // note: roles must be a array! such as: ['editor','develop'] store.dispatch('GenerateRoutes', { roles }).then(() => { // 根据roles权限生成可访问的路由表 router.addRoutes(store.getters.addRouters) // 动态添加可访问路由表 next({ ...to, replace: true }) // hack方法 确保addRoutes已完成 ,set the replace: true so the navigation will not leave a history record }) }).catch((err) => { store.dispatch('FedLogOut').then(() => { Message.error(err || 'Verification failed, please login again') next({ path: '/' }) }) }) 复制代码
上面的代码就是vue-element-admin的实现
菜单的显示标题,图片等须要随时更改,要对菜单作管理功能。
后端直接根据用户权限返回可访问的菜单。
前端定义路由信息(标准的路由定义,不须要加其余标记字段)。
{ name: "login", path: "/login", component: () => import("@/pages/Login.vue") } 复制代码
name字段都不为空,须要根据此字段与后端返回菜单作关联。
作菜单管理功能的时候,必定要有个字段与前端的路由的name字段对应上(也能够是其余字段,只要菜单能找到对应的路由或者路由能找到对应的菜单就行),而且作惟一性校验。菜单上还须要定义权限字段,能够是一个或多个。其余信息,好比显示标题,图标,排序,锁定之类的,能够根据实际需求进行设计。
仍是在全局路由守卫里作判断
function hasPermission(router, accessMenu) { if (whiteList.indexOf(router.path) !== -1) { return true; } let menu = Util.getMenuByName(router.name, accessMenu); if (menu.name) { return true; } return false; } Router.beforeEach(async (to, from, next) => { if (getToken()) { let userInfo = store.state.user.userInfo; if (!userInfo.name) { try { await store.dispatch("GetUserInfo") await store.dispatch('updateAccessMenu') if (to.path === '/login') { next({ name: 'home_index' }) } else { //Util.toDefaultPage([...routers], to.name, router, next); next({ ...to, replace: true })//菜单权限更新完成,从新进一次当前路由 } } catch (e) { if (whiteList.indexOf(to.path) !== -1) { // 在免登陆白名单,直接进入 next() } else { next('/login') } } } else { if (to.path === '/login') { next({ name: 'home_index' }) } else { if (hasPermission(to, store.getters.accessMenu)) { Util.toDefaultPage(store.getters.accessMenu,to, routes, next); } else { next({ path: '/403',replace:true }) } } } } else { if (whiteList.indexOf(to.path) !== -1) { // 在免登陆白名单,直接进入 next() } else { next('/login') } } let menu = Util.getMenuByName(to.name, store.getters.accessMenu); Util.title(menu.title); }); Router.afterEach((to) => { window.scrollTo(0, 0); }); 复制代码
上面代码是vue-quasar-admin的实现。由于没有使用addRoutes
,每次路由跳转的时候都要判断权限,这里的判断也很简单,由于菜单的name与路由的name是一一对应的,然后端返回的菜单就已是通过权限过滤的,因此若是根据路由name找不到对应的菜单,就表示用户有没权限访问。
若是路由不少,能够在应用初始化的时候,只挂载不须要权限控制的路由。取得后端返回的菜单后,根据菜单与路由的对应关系,筛选出可访问的路由,经过addRoutes
动态挂载。
菜单由后端返回是可行的,可是路由由后端返回呢?看一下路由的定义
{ name: "login", path: "/login", component: () => import("@/pages/Login.vue") } 复制代码
后端若是直接返回
{ "name": "login", "path": "/login", "component": "() => import('@/pages/Login.vue')" } 复制代码
这是什么鬼,明显不行。() => import('@/pages/Login.vue')
这代码若是没出如今前端,webpack不会对Login.vue
进行编译打包
前端统必定义路由组件,好比
const Home = () => import("../pages/Home.vue"); const UserInfo = () => import("../pages/UserInfo.vue"); export default { home: Home, userInfo: UserInfo }; 复制代码
将路由组件定义为这种key-value的结构。
后端返回格式
[ { name: "home", path: "/", component: "home" }, { name: "home", path: "/userinfo", component: "userInfo" } ] 复制代码
在将后端返回路由经过addRoutes
动态挂载之间,须要将数据处理一下,将component字段换为真正的组件。
至于菜单与路由是否还要分离,怎么对应,能够根据实际需求进行处理。
若是有嵌套路由,后端功能设计的时候,要注意添加相应的字段。前端拿到数据也要作相应的处理。
前面几种方式,除了登陆页与主应用分离
,每次路由跳转,都在全局路由守卫里作了判断。
应用初始化的时候只挂载不须要权限控制的路由
const constRouterMap = [ { name: "login", path: "/login", component: () => import("@/pages/Login.vue") }, { path: "/404", component: () => import("@/pages/Page404.vue") }, { path: "/init", component: () => import("@/pages/Init.vue") }, { path: "*", redirect: "/404" } ]; export default constRouterMap; 复制代码
import Vue from "vue"; import Router from "vue-router"; import ConstantRouterMap from "./routers"; Vue.use(Router); export default new Router({ // mode: 'history', // require service support scrollBehavior: () => ({ y: 0 }), routes: ConstantRouterMap }); 复制代码
登陆成功后跳到/
路由
submitForm(formName) { let _this=this; this.$refs[formName].validate(valid => { if (valid) { _this.$store.dispatch("loginByUserName",{ name:_this.ruleForm2.name, pass:_this.ruleForm2.pass }).then(()=>{ _this.$router.push({ path:'/' }) }) } else { return false; } }); } 复制代码
由于当前没有/
路由,会跳到/404
<template>
<h1>404</h1>
</template>
<script>
export default {
name:'page404',
mounted(){
if(!this.$store.state.isLogin){
this.$router.replace({ path: '/login' });
return;
}
if(!this.$store.state.initedApp){
this.$router.replace({ path: '/init' });
return
}
}
}
</script>
复制代码
404组件里判断已经登陆,接着判断应用是否已经初始化(用户权限信息,可访问菜单,路由等是否已经从后端取得)。没有初始化则跳转到/init
路由
<template>
<div></div>
</template>
<script>
import { getAccessMenuList } from "../mock/menus";
import components from "../router/routerComponents.js";
export default {
async mounted() {
if (!this.$store.state.isLogin) {
this.$router.push({ path: "/login" });
return;
}
if (!this.$store.state.initedApp) {
const loading = this.$loading({
lock: true,
text: "初始化中",
spinner: "el-icon-loading",
background: "rgba(0, 0, 0, 0.7)"
});
let menus = await getAccessMenuList(); //模拟从后端获取
var routers = [...menus];
for (let router of routers) {
let component = components[router.component];
router.component = component;
}
this.$router.addRoutes(routers);
this.$store.dispatch("setAccessMenuList", menus).then(() => {
loading.close();
this.$router.replace({
path: "/"
});
});
return;
} else {
this.$router.replace({
path: "/"
});
}
}
};
</script>
复制代码
init组件里判断应用是否已经初始化(避免初始化后,直接从地址栏输入地址再次进入当前组件)。
若是已经初始化,跳转/
路由(若是后端返回的路由里没有定义次路由,则会跳转404)。
没有初始化,则调用远程接口获取菜单和路由等,而后处理后端返回的路由,将component赋值为真正 的组件,接着调用addRoutes
挂载新路由,最后跳转/
路由便可。菜单的处理也是在此处,看实际 需求。
比较推荐后面两种实现方式。