zhou zhou
7 小时以前 46d872c1a5b77aa8799de4a64888a0a24a1422d6
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
import { useUserStore } from '@/store/modules/user'
import { useAppMode } from '@/hooks/core/useAppMode'
import { fetchGetMenuList } from '@/api/system-manage'
import { asyncRoutes } from '../routes/asyncRoutes'
import { RoutesAlias } from '../routesAlias'
import { formatMenuTitle } from '@/utils'
class MenuProcessor {
  /**
   * 获取菜单数据
   */
  async getMenuList() {
    const { isFrontendMode } = useAppMode()
    let menuList
    if (isFrontendMode.value) {
      menuList = await this.processFrontendMenu()
    } else {
      menuList = await this.processBackendMenu()
    }
    this.validateMenuPaths(menuList)
    return this.normalizeMenuPaths(menuList)
  }
  /**
   * 处理前端控制模式的菜单
   */
  async processFrontendMenu() {
    const userStore = useUserStore()
    const roles = userStore.info?.roles
    let menuList = [...asyncRoutes]
    if (roles && roles.length > 0) {
      menuList = this.filterMenuByRoles(menuList, roles)
    }
    return this.filterEmptyMenus(menuList)
  }
  /**
   * 处理后端控制模式的菜单
   */
  async processBackendMenu() {
    const list = await fetchGetMenuList()
    return this.filterEmptyMenus(list)
  }
  /**
   * 根据角色过滤菜单
   */
  filterMenuByRoles(menu, roles) {
    return menu.reduce((acc, item) => {
      const itemRoles = item.meta?.roles
      const hasPermission = !itemRoles || itemRoles.some((role) => roles?.includes(role))
      if (hasPermission) {
        const filteredItem = { ...item }
        if (filteredItem.children?.length) {
          filteredItem.children = this.filterMenuByRoles(filteredItem.children, roles)
        }
        acc.push(filteredItem)
      }
      return acc
    }, [])
  }
  /**
   * 递归过滤空菜单项
   */
  filterEmptyMenus(menuList) {
    return menuList
      .map((item) => {
        if (item.children && item.children.length > 0) {
          const filteredChildren = this.filterEmptyMenus(item.children)
          return {
            ...item,
            children: filteredChildren
          }
        }
        return item
      })
      .filter((item) => {
        if ('children' in item) {
          return true
        }
        if (item.meta?.isIframe === true || item.meta?.link) {
          return true
        }
        if (item.component && item.component !== '' && item.component !== RoutesAlias.Layout) {
          return true
        }
        return false
      })
  }
  /**
   * 验证菜单列表是否有效
   */
  validateMenuList(menuList) {
    return Array.isArray(menuList) && menuList.length > 0
  }
  /**
   * 规范化菜单路径
   * 将相对路径转换为完整路径,确保菜单跳转正确
   */
  normalizeMenuPaths(menuList, parentPath = '') {
    return menuList.map((item) => {
      const fullPath = this.buildFullPath(item.path || '', parentPath)
      const children = item.children?.length
        ? this.normalizeMenuPaths(item.children, fullPath)
        : item.children
      const redirect = item.redirect || this.resolveDefaultRedirect(children)
      return {
        ...item,
        path: fullPath,
        redirect,
        children
      }
    })
  }
  /**
   * 为目录型菜单推导默认跳转地址
   */
  resolveDefaultRedirect(children) {
    if (!children?.length) {
      return void 0
    }
    for (const child of children) {
      if (this.isNavigableRoute(child)) {
        return child.path
      }
      const nestedRedirect = this.resolveDefaultRedirect(child.children)
      if (nestedRedirect) {
        return nestedRedirect
      }
    }
    return void 0
  }
  /**
   * 判断子路由是否可以作为默认落点
   */
  isNavigableRoute(route) {
    return Boolean(
      route.path &&
        route.path !== '/' &&
        !route.meta?.link &&
        route.meta?.isIframe !== true &&
        route.component &&
        route.component !== ''
    )
  }
  /**
   * 验证菜单路径配置
   * 检测非一级菜单是否错误使用了 / 开头的路径
   */
  /**
   * 验证菜单路径配置
   * 检测非一级菜单是否错误使用了 / 开头的路径
   */
  validateMenuPaths(menuList, level = 1) {
    menuList.forEach((route) => {
      if (!route.children?.length) return
      const parentName = String(route.name || route.path || '未知路由')
      route.children.forEach((child) => {
        const childPath = child.path || ''
        if (this.isValidAbsolutePath(childPath)) return
        if (childPath.startsWith('/')) {
          this.logPathError(child, childPath, parentName, level)
        }
      })
      this.validateMenuPaths(route.children, level + 1)
    })
  }
  /**
   * 判断是否为合法的绝对路径
   */
  isValidAbsolutePath(path) {
    return (
      path.startsWith('http://') ||
      path.startsWith('https://') ||
      path.startsWith('/outside/iframe/')
    )
  }
  /**
   * 输出路径配置错误日志
   */
  logPathError(route, path, parentName, level) {
    const routeName = String(route.name || path || '未知路由')
    const menuTitle = route.meta?.title || routeName
    const suggestedPath = path.split('/').pop() || path.slice(1)
    console.error(
      `[路由配置错误] 菜单 "${formatMenuTitle(menuTitle)}" (name: ${routeName}, path: ${path}) 配置错误
  位置: ${parentName} > ${routeName}
  问题: ${level + 1}级菜单的 path 不能以 / 开头
  当前配置: path: '${path}'
  应该改为: path: '${suggestedPath}'`
    )
  }
  /**
   * 构建完整路径
   */
  buildFullPath(path, parentPath) {
    if (!path) return ''
    if (path.startsWith('http://') || path.startsWith('https://')) {
      return path
    }
    if (path.startsWith('/')) {
      return path
    }
    if (parentPath) {
      const cleanParent = parentPath.replace(/\/$/, '')
      const cleanChild = path.replace(/^\//, '')
      return `${cleanParent}/${cleanChild}`
    }
    return `/${path}`
  }
}
export { MenuProcessor }