utils.ts 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381
  1. import {
  2. RouterHistory,
  3. RouteRecordRaw,
  4. RouteComponent,
  5. createWebHistory,
  6. createWebHashHistory,
  7. RouteRecordNormalized
  8. } from "vue-router";
  9. import { router } from "./index";
  10. import { isProxy, toRaw } from "vue";
  11. import { useTimeoutFn } from "@vueuse/core";
  12. import { RouteConfigs } from "@/layout/types";
  13. import {
  14. isString,
  15. cloneDeep,
  16. isAllEmpty,
  17. intersection,
  18. storageSession,
  19. isIncludeAllChildren
  20. } from "@pureadmin/utils";
  21. import { getConfig } from "@/config";
  22. import { buildHierarchyTree } from "@/utils/tree";
  23. import { sessionKey, type DataInfo } from "@/utils/auth";
  24. import { usePermissionStoreHook } from "@/store/modules/permission";
  25. const IFrame = () => import("@/layout/frameView.vue");
  26. // https://cn.vitejs.dev/guide/features.html#glob-import
  27. const modulesRoutes = import.meta.glob("/src/views/**/*.{vue,tsx}");
  28. // 动态路由
  29. import { getAsyncRoutes } from "@/api/routes";
  30. function handRank(routeInfo: any) {
  31. const { name, path, parentId, meta } = routeInfo;
  32. return isAllEmpty(parentId)
  33. ? isAllEmpty(meta?.rank) ||
  34. (meta?.rank === 0 && name !== "Home" && path !== "/")
  35. ? true
  36. : false
  37. : false;
  38. }
  39. /** 按照路由中meta下的rank等级升序来排序路由 */
  40. function ascending(arr: any[]) {
  41. arr.forEach((v, index) => {
  42. // 当rank不存在时,根据顺序自动创建,首页路由永远在第一位
  43. if (handRank(v)) v.meta.rank = index + 2;
  44. });
  45. return arr.sort(
  46. (a: { meta: { rank: number } }, b: { meta: { rank: number } }) => {
  47. return a?.meta.rank - b?.meta.rank;
  48. }
  49. );
  50. }
  51. /** 过滤meta中showLink为false的菜单 */
  52. function filterTree(data: RouteComponent[]) {
  53. const newTree = cloneDeep(data).filter(
  54. (v: { meta: { showLink: boolean } }) => v.meta?.showLink !== false
  55. );
  56. newTree.forEach(
  57. (v: { children }) => v.children && (v.children = filterTree(v.children))
  58. );
  59. return newTree;
  60. }
  61. /** 过滤children长度为0的的目录,当目录下没有菜单时,会过滤此目录,目录没有赋予roles权限,当目录下只要有一个菜单有显示权限,那么此目录就会显示 */
  62. function filterChildrenTree(data: RouteComponent[]) {
  63. const newTree = cloneDeep(data).filter((v: any) => v?.children?.length !== 0);
  64. newTree.forEach(
  65. (v: { children }) => v.children && (v.children = filterTree(v.children))
  66. );
  67. return newTree;
  68. }
  69. /** 判断两个数组彼此是否存在相同值 */
  70. function isOneOfArray(a: Array<string>, b: Array<string>) {
  71. return Array.isArray(a) && Array.isArray(b)
  72. ? intersection(a, b).length > 0
  73. ? true
  74. : false
  75. : true;
  76. }
  77. /** 从sessionStorage里取出当前登陆用户的角色roles,过滤无权限的菜单 */
  78. function filterNoPermissionTree(data: RouteComponent[]) {
  79. const currentRoles =
  80. storageSession().getItem<DataInfo<number>>(sessionKey)?.roles ?? [];
  81. const newTree = cloneDeep(data).filter((v: any) =>
  82. isOneOfArray(v.meta?.roles, currentRoles)
  83. );
  84. newTree.forEach(
  85. (v: any) => v.children && (v.children = filterNoPermissionTree(v.children))
  86. );
  87. return filterChildrenTree(newTree);
  88. }
  89. /** 批量删除缓存路由(keepalive) */
  90. function delAliveRoutes(delAliveRouteList: Array<RouteConfigs>) {
  91. delAliveRouteList.forEach(route => {
  92. usePermissionStoreHook().cacheOperate({
  93. mode: "delete",
  94. name: route?.name
  95. });
  96. });
  97. }
  98. /** 通过path获取父级路径 */
  99. function getParentPaths(path: string, routes: RouteRecordRaw[]) {
  100. // 深度遍历查找
  101. function dfs(routes: RouteRecordRaw[], path: string, parents: string[]) {
  102. for (let i = 0; i < routes.length; i++) {
  103. const item = routes[i];
  104. // 找到path则返回父级path
  105. if (item.path === path) return parents;
  106. // children不存在或为空则不递归
  107. if (!item.children || !item.children.length) continue;
  108. // 往下查找时将当前path入栈
  109. parents.push(item.path);
  110. if (dfs(item.children, path, parents).length) return parents;
  111. // 深度遍历查找未找到时当前path 出栈
  112. parents.pop();
  113. }
  114. // 未找到时返回空数组
  115. return [];
  116. }
  117. return dfs(routes, path, []);
  118. }
  119. /** 查找对应path的路由信息 */
  120. function findRouteByPath(path: string, routes: RouteRecordRaw[]) {
  121. let res = routes.find((item: { path: string }) => item.path == path);
  122. if (res) {
  123. return isProxy(res) ? toRaw(res) : res;
  124. } else {
  125. for (let i = 0; i < routes.length; i++) {
  126. if (
  127. routes[i].children instanceof Array &&
  128. routes[i].children.length > 0
  129. ) {
  130. res = findRouteByPath(path, routes[i].children);
  131. if (res) {
  132. return isProxy(res) ? toRaw(res) : res;
  133. }
  134. }
  135. }
  136. return null;
  137. }
  138. }
  139. function addPathMatch() {
  140. if (!router.hasRoute("pathMatch")) {
  141. router.addRoute({
  142. path: "/:pathMatch(.*)",
  143. name: "pathMatch",
  144. redirect: "/error/404"
  145. });
  146. }
  147. }
  148. /** 处理动态路由(后端返回的路由) */
  149. function handleAsyncRoutes(routeList) {
  150. if (routeList.length === 0) {
  151. usePermissionStoreHook().handleWholeMenus(routeList);
  152. } else {
  153. formatFlatteningRoutes(addAsyncRoutes(routeList)).map(
  154. (v: RouteRecordRaw) => {
  155. // 防止重复添加路由
  156. if (
  157. router.options.routes[0].children.findIndex(
  158. value => value.path === v.path
  159. ) !== -1
  160. ) {
  161. return;
  162. } else {
  163. // 切记将路由push到routes后还需要使用addRoute,这样路由才能正常跳转
  164. router.options.routes[0].children.push(v);
  165. // 最终路由进行升序
  166. ascending(router.options.routes[0].children);
  167. if (!router.hasRoute(v?.name)) router.addRoute(v);
  168. const flattenRouters: any = router
  169. .getRoutes()
  170. .find(n => n.path === "/");
  171. router.addRoute(flattenRouters);
  172. }
  173. }
  174. );
  175. usePermissionStoreHook().handleWholeMenus(routeList);
  176. }
  177. addPathMatch();
  178. }
  179. /** 初始化路由(`new Promise` 写法防止在异步请求中造成无限循环)*/
  180. function initRouter() {
  181. if (getConfig()?.CachingAsyncRoutes) {
  182. // 开启动态路由缓存本地sessionStorage
  183. const key = "async-routes";
  184. const asyncRouteList = storageSession().getItem(key) as any;
  185. if (asyncRouteList && asyncRouteList?.length > 0) {
  186. return new Promise(resolve => {
  187. handleAsyncRoutes(asyncRouteList);
  188. resolve(router);
  189. });
  190. } else {
  191. return new Promise(resolve => {
  192. getAsyncRoutes().then(({ data }) => {
  193. handleAsyncRoutes(cloneDeep(data));
  194. storageSession().setItem(key, data);
  195. resolve(router);
  196. });
  197. });
  198. }
  199. } else {
  200. return new Promise(resolve => {
  201. getAsyncRoutes().then(({ data }) => {
  202. handleAsyncRoutes(cloneDeep(data));
  203. resolve(router);
  204. });
  205. });
  206. }
  207. }
  208. /**
  209. * 将多级嵌套路由处理成一维数组
  210. * @param routesList 传入路由
  211. * @returns 返回处理后的一维路由
  212. */
  213. function formatFlatteningRoutes(routesList: RouteRecordRaw[]) {
  214. if (routesList.length === 0) return routesList;
  215. let hierarchyList = buildHierarchyTree(routesList);
  216. for (let i = 0; i < hierarchyList.length; i++) {
  217. if (hierarchyList[i].children) {
  218. hierarchyList = hierarchyList
  219. .slice(0, i + 1)
  220. .concat(hierarchyList[i].children, hierarchyList.slice(i + 1));
  221. }
  222. }
  223. return hierarchyList;
  224. }
  225. /**
  226. * 一维数组处理成多级嵌套数组(三级及以上的路由全部拍成二级,keep-alive 只支持到二级缓存)
  227. * https://github.com/xiaoxian521/vue-pure-admin/issues/67
  228. * @param routesList 处理后的一维路由菜单数组
  229. * @returns 返回将一维数组重新处理成规定路由的格式
  230. */
  231. function formatTwoStageRoutes(routesList: RouteRecordRaw[]) {
  232. if (routesList.length === 0) return routesList;
  233. const newRoutesList: RouteRecordRaw[] = [];
  234. routesList.forEach((v: RouteRecordRaw) => {
  235. if (v.path === "/") {
  236. newRoutesList.push({
  237. component: v.component,
  238. name: v.name,
  239. path: v.path,
  240. redirect: v.redirect,
  241. meta: v.meta,
  242. children: []
  243. });
  244. } else {
  245. newRoutesList[0]?.children.push({ ...v });
  246. }
  247. });
  248. return newRoutesList;
  249. }
  250. /** 处理缓存路由(添加、删除、刷新) */
  251. function handleAliveRoute(matched: RouteRecordNormalized[], mode?: string) {
  252. switch (mode) {
  253. case "add":
  254. matched.forEach(v => {
  255. usePermissionStoreHook().cacheOperate({ mode: "add", name: v.name });
  256. });
  257. break;
  258. case "delete":
  259. usePermissionStoreHook().cacheOperate({
  260. mode: "delete",
  261. name: matched[matched.length - 1].name
  262. });
  263. break;
  264. default:
  265. usePermissionStoreHook().cacheOperate({
  266. mode: "delete",
  267. name: matched[matched.length - 1].name
  268. });
  269. useTimeoutFn(() => {
  270. matched.forEach(v => {
  271. usePermissionStoreHook().cacheOperate({ mode: "add", name: v.name });
  272. });
  273. }, 100);
  274. }
  275. }
  276. /** 过滤后端传来的动态路由 重新生成规范路由 */
  277. function addAsyncRoutes(arrRoutes: Array<RouteRecordRaw>) {
  278. if (!arrRoutes || !arrRoutes.length) return;
  279. const modulesRoutesKeys = Object.keys(modulesRoutes);
  280. arrRoutes.forEach((v: RouteRecordRaw) => {
  281. // 将backstage属性加入meta,标识此路由为后端返回路由
  282. v.meta.backstage = true;
  283. // 父级的redirect属性取值:如果子级存在且父级的redirect属性不存在,默认取第一个子级的path;如果子级存在且父级的redirect属性存在,取存在的redirect属性,会覆盖默认值
  284. if (v?.children && v.children.length && !v.redirect)
  285. v.redirect = v.children[0].path;
  286. // 父级的name属性取值:如果子级存在且父级的name属性不存在,默认取第一个子级的name;如果子级存在且父级的name属性存在,取存在的name属性,会覆盖默认值(注意:测试中发现父级的name不能和子级name重复,如果重复会造成重定向无效(跳转404),所以这里给父级的name起名的时候后面会自动加上`Parent`,避免重复)
  287. if (v?.children && v.children.length && !v.name)
  288. v.name = (v.children[0].name as string) + "Parent";
  289. if (v.meta?.frameSrc) {
  290. v.component = IFrame;
  291. } else {
  292. // 对后端传component组件路径和不传做兼容(如果后端传component组件路径,那么path可以随便写,如果不传,component组件路径会跟path保持一致)
  293. const index = v?.component
  294. ? modulesRoutesKeys.findIndex(ev => ev.includes(v.component as any))
  295. : modulesRoutesKeys.findIndex(ev => ev.includes(v.path));
  296. v.component = modulesRoutes[modulesRoutesKeys[index]];
  297. }
  298. if (v?.children && v.children.length) {
  299. addAsyncRoutes(v.children);
  300. }
  301. });
  302. return arrRoutes;
  303. }
  304. /** 获取路由历史模式 https://next.router.vuejs.org/zh/guide/essentials/history-mode.html */
  305. function getHistoryMode(): RouterHistory {
  306. const routerHistory = import.meta.env.VITE_ROUTER_HISTORY;
  307. // len为1 代表只有历史模式 为2 代表历史模式中存在base参数 https://next.router.vuejs.org/zh/api/#%E5%8F%82%E6%95%B0-1
  308. const historyMode = routerHistory.split(",");
  309. const leftMode = historyMode[0];
  310. const rightMode = historyMode[1];
  311. // no param
  312. if (historyMode.length === 1) {
  313. if (leftMode === "hash") {
  314. return createWebHashHistory("");
  315. } else if (leftMode === "h5") {
  316. return createWebHistory("");
  317. }
  318. } //has param
  319. else if (historyMode.length === 2) {
  320. if (leftMode === "hash") {
  321. return createWebHashHistory(rightMode);
  322. } else if (leftMode === "h5") {
  323. return createWebHistory(rightMode);
  324. }
  325. }
  326. }
  327. /** 获取当前页面按钮级别的权限 */
  328. function getAuths(): Array<string> {
  329. return router.currentRoute.value.meta.auths as Array<string>;
  330. }
  331. /** 是否有按钮级别的权限 */
  332. function hasAuth(value: string | Array<string>): boolean {
  333. if (!value) return false;
  334. /** 从当前路由的`meta`字段里获取按钮级别的所有自定义`code`值 */
  335. const metaAuths = getAuths();
  336. if (!metaAuths) return false;
  337. const isAuths = isString(value)
  338. ? metaAuths.includes(value)
  339. : isIncludeAllChildren(value, metaAuths);
  340. return isAuths ? true : false;
  341. }
  342. export {
  343. hasAuth,
  344. getAuths,
  345. ascending,
  346. filterTree,
  347. initRouter,
  348. isOneOfArray,
  349. getHistoryMode,
  350. addAsyncRoutes,
  351. delAliveRoutes,
  352. getParentPaths,
  353. findRouteByPath,
  354. handleAliveRoute,
  355. formatTwoStageRoutes,
  356. formatFlatteningRoutes,
  357. filterNoPermissionTree
  358. };