vue3路由+權(quán)限

  1. router.ts
import { createRouter, createWebHistory, RouteRecordRaw } from 'vue-router'
import Layout from '@/views/layout/layout.vue';
import loginLayout from '@/views/layout/loginLayout.vue';
const routes: Array<RouteRecordRaw> = [
 {
   path: '/',
   redirect: '/login',
 },
 {
   path: '/login',
   name: 'Login',
   component: () => import('@/views/login/login.vue'),
   meta: { title: '登錄', icon: '', parent: { name: '' } }
 },
 {
   path: '/home',
   name: 'Home',
   component: () => import('@/views/home/home.vue'),
   // hidden: true,
   meta: { title: '首頁', icon: '', parent: { name: '' }}
 },
 {
   path: '/errPage',
   name: 'ErrPage',
   component: () => import('@/views/404.vue'),
 },
]

/**
* @description: 路由表配置 控制權(quán)限的路由最好不要設(shè)置 redirect,通過權(quán)限邏輯會自動定向
* @hidden {*} 是否在菜單隱藏路由 true 隱藏
* @noAuth {*} //不需要控制權(quán)限的添加 路由表添加noAuth:true字段
* @parent {*} //meta 標簽的title和parent字段必傳,為了菜單選中和張開使用. 因為useRoute()去掉了parent屬性
*/
interface AsyncRoutesMap{
 path:string,
 name?:string,
 meta?:{
   title:string,
   parent:{
     name:string
   },
   [props: string]: any
 },
 [props:string]:any
}
export const asyncRoutesMap: Array<AsyncRoutesMap> = [
 {
   path: '/dashboard',
   name: 'Dashboard',
   component: Layout,
   // redirect:{name:'Work'},
   meta: { title: '工作臺', icon: 'home',parent:{name:''} },
   hidden: false,
   children: [
     {
       path: 'work',
       name: 'Work',
       component: () => import('@/views/work/index.vue'),
       redirect: { name: 'WorkList' },
       meta: { title: '業(yè)務(wù)', icon: '', parent: { name: 'Dashboard' } },
       hidden: false,
       children: [
         {
           path: 'workList',
           name: 'WorkList',
           component: () => import('@/views/work/list.vue'),
           meta: { title: '業(yè)務(wù)列表', noAuth: true, parent: { name: 'Work' }},
           hidden: true,
         },
         {
           path: 'detail',
           name: 'Detail',
           component: () => import('@/views/work/detail.vue'),
           meta: { title: '業(yè)務(wù)詳情', noAuth: true ,parent: { name: 'Work' }},
           hidden: true,
         },
       ]
     },
   ]
 },
 {
   path: '/hoy',
   name: 'Hoy',
   component: Layout,
   // redirect:{name:'MyHoy'},
   meta: { title: 'Hoy', icon: 'home', parent: { name: '' } },
   hidden: false,
   children: [
     {
       path: 'myHoy',
       name: 'MyHoy',
       component: () => import('@/views/myHoy/index.vue'),
       meta: { title: '我的Hoy', icon: '', parent: { name: 'Hoy' } },
       hidden: false,
     },
   ]
 },
 {
   path: '/:pathMatch(.*)*',
   redirect: { name:'ErrPage'},
   hidden: true
 }
]

const router = createRouter({
 history: createWebHistory(process.env.URL),
 routes
})

export default router


  1. permission.ts
/**
 * @Author: DDY
 * @Date: 2021-09-04 20:42:08
 * @description: 權(quán)限路由守衛(wèi)
 */
import router, { asyncRoutesMap } from './router/index';
import store from './store';
import { message } from 'ant-design-vue';
import NProgress from 'nprogress'
import 'nprogress/nprogress.css'

const whiteList = ['/login','/errPage'] // 不重定向白名單
router.beforeEach((to,from,next) => {
    NProgress.start()
    if (whiteList.indexOf(to.path) !== -1) {
        next();
    } else {
        const token = store.getters['token'];
        if (token){
            let asyncRouets = store.getters.asyncRoutes;
            if (asyncRouets.length){
                //處理過有權(quán)限的路由信息
                next();
            }else{
                store.dispatch('User/getUserInfo').then(res => {
                    let a:any = store.state
                    let permissions_url = a.User.asyncRoutesName
                    //根據(jù)權(quán)限name處理路由表
                    const addRoutes:any = filterAsyncRouter(permissions_url, asyncRoutesMap)
                    addRoutes.map((item:any)=>{
                        router.addRoute(item) // 動態(tài)添加可訪問路由表
                    })
                    store.commit('User/SET_ASYNC_ROUTES', addRoutes)
                    if (addRoutes.length){
                        next({ ...to, replace: true });
                    }else{
                        message.error('您沒有查看頁面的權(quán)限!')
                        next('/')
                    }
                }).catch((err) => {
                    store.dispatch('User/logOut').then(() => {
                        message.error(err || 'Verification failed, please login again')
                        next('/')
                    })
                })
            }
        }else{
            next("/");
        }
    }
})
function resolveRoute() {
    //跳轉(zhuǎn)對應(yīng)的地址
    let env = process.env.NODE_ENV;
    let hostName = location.hostname;
    NProgress.done()
}

/**
 * 通過meta.url判斷是否與當前用戶權(quán)限匹配
 * @param {*} permissions_url  接口返回的權(quán)限 [{name:'xxx'}]
 * @param {*} route  某條路由信息
 */
export const hasPermission=function(permissions_url: any[], route:any) {
    if (route.name) {
        return permissions_url.some(item => {
            return route.name == item.name
        })
    } else {
        return true
    }
}
/**
 * @description: 用戶所擁有的權(quán)限AsyncRouter 路由表
 * @param {*} permissions_url  接口返回的權(quán)限 [{name:'xxx'}]
 * @param {*} asyncRouterMap  路由表所有的異步路由 []
 * @return {*}  用戶所擁有的權(quán)限AsyncRouter 路由表
 */
export const filterAsyncRouter = function (permissions_url: any[], asyncRouterMap: any[]) {
    const accessedRouters = asyncRouterMap.filter(route => { //返回符合條件的路由
        if (route.meta && route.meta.noAuth) {  //不需要控制權(quán)限的添加 路由表添加noAuth:true字段
            return true;
        }
        if (hasPermission(permissions_url, route)) { //符合條件的
            if (route.children && route.children.length) {
                route.children=filterAsyncRouter(permissions_url, route.children);
            }
            return true;
        }
        return false;
    });
    return accessedRouters
}
router.onError((handler: any) => {
    console.log("error:", handler);
    NProgress.done()
});
router.afterEach(() => {
    NProgress.done()
})

  1. store>modules>user.ts
    /**
     * @description: 設(shè)置用戶擁有權(quán)限的路由配置列表
     */
    SET_ASYNC_ROUTES: (state, routesInfo) => {
        state.asyncRoutes =  routesInfo;
    },
    /**
     * @description: 設(shè)置用戶擁有權(quán)限的路由名稱
     */    
    SET_ASYNC_ROUTES_NAME: (state, routesInfo) => {
        state.asyncRoutesName =  routesInfo;
    },
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個濱河市嚣潜,隨后出現(xiàn)的幾起案子震缭,更是在濱河造成了極大的恐慌,老刑警劉巖怀跛,帶你破解...
    沈念sama閱讀 206,214評論 6 481
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件,死亡現(xiàn)場離奇詭異柄冲,居然都是意外死亡吻谋,警方通過查閱死者的電腦和手機,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 88,307評論 2 382
  • 文/潘曉璐 我一進店門现横,熙熙樓的掌柜王于貴愁眉苦臉地迎上來漓拾,“玉大人阁最,你說我怎么就攤上這事『Я剑” “怎么了速种?”我有些...
    開封第一講書人閱讀 152,543評論 0 341
  • 文/不壞的土叔 我叫張陵,是天一觀的道長低千。 經(jīng)常有香客問我配阵,道長,這世上最難降的妖魔是什么示血? 我笑而不...
    開封第一講書人閱讀 55,221評論 1 279
  • 正文 為了忘掉前任棋傍,我火速辦了婚禮,結(jié)果婚禮上难审,老公的妹妹穿的比我還像新娘瘫拣。我一直安慰自己,他們只是感情好告喊,可當我...
    茶點故事閱讀 64,224評論 5 371
  • 文/花漫 我一把揭開白布麸拄。 她就那樣靜靜地躺著,像睡著了一般黔姜。 火紅的嫁衣襯著肌膚如雪感帅。 梳的紋絲不亂的頭發(fā)上,一...
    開封第一講書人閱讀 49,007評論 1 284
  • 那天地淀,我揣著相機與錄音失球,去河邊找鬼。 笑死帮毁,一個胖子當著我的面吹牛实苞,可吹牛的內(nèi)容都是我干的。 我是一名探鬼主播烈疚,決...
    沈念sama閱讀 38,313評論 3 399
  • 文/蒼蘭香墨 我猛地睜開眼黔牵,長吁一口氣:“原來是場噩夢啊……” “哼!你這毒婦竟也來了爷肝?” 一聲冷哼從身側(cè)響起猾浦,我...
    開封第一講書人閱讀 36,956評論 0 259
  • 序言:老撾萬榮一對情侶失蹤,失蹤者是張志新(化名)和其女友劉穎灯抛,沒想到半個月后金赦,有當?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體,經(jīng)...
    沈念sama閱讀 43,441評論 1 300
  • 正文 獨居荒郊野嶺守林人離奇死亡对嚼,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 35,925評論 2 323
  • 正文 我和宋清朗相戀三年夹抗,在試婚紗的時候發(fā)現(xiàn)自己被綠了。 大學時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片纵竖。...
    茶點故事閱讀 38,018評論 1 333
  • 序言:一個原本活蹦亂跳的男人離奇死亡漠烧,死狀恐怖杏愤,靈堂內(nèi)的尸體忽然破棺而出,到底是詐尸還是另有隱情已脓,我是刑警寧澤珊楼,帶...
    沈念sama閱讀 33,685評論 4 322
  • 正文 年R本政府宣布,位于F島的核電站度液,受9級特大地震影響厕宗,放射性物質(zhì)發(fā)生泄漏。R本人自食惡果不足惜恨诱,卻給世界環(huán)境...
    茶點故事閱讀 39,234評論 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一處隱蔽的房頂上張望骗炉。 院中可真熱鬧照宝,春花似錦、人聲如沸句葵。這莊子的主人今日做“春日...
    開封第一講書人閱讀 30,240評論 0 19
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽乍丈。三九已至剂碴,卻和暖如春,著一層夾襖步出監(jiān)牢的瞬間轻专,已是汗流浹背忆矛。 一陣腳步聲響...
    開封第一講書人閱讀 31,464評論 1 261
  • 我被黑心中介騙來泰國打工, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留请垛,地道東北人催训。 一個月前我還...
    沈念sama閱讀 45,467評論 2 352
  • 正文 我出身青樓,卻偏偏與公主長得像宗收,于是被迫代替她去往敵國和親漫拭。 傳聞我的和親對象是個殘疾皇子,可洞房花燭夜當晚...
    茶點故事閱讀 42,762評論 2 345

推薦閱讀更多精彩內(nèi)容