springboot + Vue前后端项目(第十五记)

打印 上一主题 下一主题

主题 1007|帖子 1007|积分 3021

写在前面


  • 动态菜单设计
  • 动态路由设计
1.后端接口实现

1.1 用户表添加角色字段

  1. CREATE TABLE `sys_user` (
  2.   `id` int(11) NOT NULL AUTO_INCREMENT COMMENT 'id',
  3.   `username` varchar(50) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '用户名',
  4.   `password` varchar(50) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '密码',
  5.   `nickname` varchar(50) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '昵称',
  6.   `email` varchar(50) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '邮箱',
  7.   `phone` varchar(20) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '电话',
  8.   `address` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '地址',
  9.   `create_time` timestamp NULL DEFAULT CURRENT_TIMESTAMP COMMENT '创建时间',
  10.   `avatar_url` varchar(500) COLLATE utf8mb4_unicode_ci DEFAULT 'https://himg.bdimg.com/sys/portraitn/item/public.1.23bd3c8c.ANoeKxl_gef9fnrikdXOYA' COMMENT '头像',
  11.   `role` varchar(50) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '角色',
  12.   `deleted` tinyint(4) DEFAULT '0' COMMENT '逻辑删除0(未删除),1(删除)',
  13.   PRIMARY KEY (`id`) USING BTREE
  14. ) ENGINE=InnoDB  DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci ROW_FORMAT=DYNAMIC
复制代码
1.2 角色表增加唯一标识字段

  1. CREATE TABLE `sys_role` (
  2.   `id` int(11) NOT NULL AUTO_INCREMENT COMMENT 'id',
  3.   `role_key` varchar(50) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '唯一标识',
  4.   `name` varchar(50) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '名称',
  5.   `description` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '描述',
  6.   `deleted` tinyint(1) DEFAULT '0' COMMENT '是否删除',
  7.   PRIMARY KEY (`id`) USING BTREE
  8. ) ENGINE=InnoDB  DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci ROW_FORMAT=DYNAMIC
复制代码
1.3 UserDTO

  1. @Data
  2. public class UserDTO {
  3.     private String username;
  4.     private String password;
  5.     private String nickname;
  6.     private String avatarUrl;
  7.     private String token;
  8.     private String role;
  9.     private List<Menu> menus;
  10. }
复制代码
1.4 UserServiceImpl

  1. package com.ppj.service.impl;
  2. import cn.hutool.core.bean.BeanUtil;
  3. import cn.hutool.core.util.StrUtil;
  4. import cn.hutool.log.Log;
  5. import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
  6. import com.ppj.constants.Constants;
  7. import com.ppj.entity.Menu;
  8. import com.ppj.entity.Role;
  9. import com.ppj.entity.RoleMenu;
  10. import com.ppj.entity.User;
  11. import com.ppj.entity.dto.UserDTO;
  12. import com.ppj.exception.ServiceException;
  13. import com.ppj.mapper.MenuMapper;
  14. import com.ppj.mapper.RoleMapper;
  15. import com.ppj.mapper.RoleMenuMapper;
  16. import com.ppj.mapper.UserMapper;
  17. import com.ppj.service.IUserService;
  18. import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl;
  19. import com.ppj.utils.TokenUtils;
  20. import org.springframework.beans.factory.annotation.Autowired;
  21. import org.springframework.stereotype.Service;
  22. import javax.sql.rowset.serial.SerialException;
  23. import java.util.ArrayList;
  24. import java.util.List;
  25. /**
  26. * <p>
  27. *  服务实现类
  28. * </p>
  29. *
  30. * @author ppj
  31. * @since 2024-04-20
  32. */
  33. @Service
  34. public class UserServiceImpl extends ServiceImpl<UserMapper, User> implements IUserService {
  35.     private static final Log LOG = Log.get();
  36.     @Autowired
  37.     private RoleMapper roleMapper;
  38.     @Autowired
  39.     private RoleMenuMapper roleMenuMapper;
  40.     @Autowired
  41.     private MenuServiceImpl menuService;
  42.     @Override
  43.     public UserDTO login(UserDTO userDTO) {
  44.         if(StrUtil.isBlank(userDTO.getUsername()) || StrUtil.isBlank(userDTO.getPassword())){
  45.             return null;
  46.         }
  47.         User user = getUserInfo(userDTO);
  48.         if(user != null){
  49.             String token = TokenUtils.genToken(user.getId().toString(), userDTO.getPassword());
  50.             userDTO.setToken(token);
  51.             // 把user相应的值传递给userDTO
  52.             BeanUtil.copyProperties(user,userDTO,true);
  53.             List<Menu> roleMenus = getRoleMenus(user.getRole());
  54.             userDTO.setMenus(roleMenus);
  55.             return userDTO;
  56.         }else{  // 数据库查不到
  57.             throw new ServiceException(Constants.CODE_600,"用户名或密码错误");
  58.         }
  59.     }
  60.     @Override
  61.     public Boolean register(UserDTO userDTO) {
  62.         if(StrUtil.isBlank(userDTO.getUsername()) || StrUtil.isBlank(userDTO.getPassword())){
  63.             return false;
  64.         }
  65.         User user = getUserInfo(userDTO);
  66.         if(user == null){
  67.             User newUser = new User();
  68.             // 值传递
  69.             BeanUtil.copyProperties(userDTO,newUser,true);
  70.             // 保存至数据库
  71.             save(newUser);
  72.         }else{
  73.             throw new ServiceException(Constants.CODE_600,"用户已存在");
  74.         }
  75.         return true;
  76.     }
  77.     public User getUserInfo(UserDTO userDTO){
  78.         QueryWrapper<User> queryWrapper = new QueryWrapper<>();
  79.         queryWrapper.eq("username",userDTO.getUsername())
  80.                 .eq("password",userDTO.getPassword());
  81.         User user;
  82.         try {
  83.             // 可能查到多条记录,后台报异常,写个异常类(主动捕获异常)
  84.             user = getOne(queryWrapper);
  85.         }catch (Exception e){  // 可能查出多个符合条件的记录
  86.             LOG.error(e);
  87.             throw new ServiceException(Constants.CODE_500,"系统错误");
  88.         }
  89.         return user;
  90.     }
  91.     /**
  92.      * 根据角色名称获取菜单列表
  93.      * @param roleName
  94.      * @return
  95.      */
  96.     public List<Menu> getRoleMenus(String roleName){
  97.         Integer roleId = roleMapper.getRoleIdByName(roleName);
  98.         List<Integer> menuIds = roleMenuMapper.getMenuIdsByRoleId(roleId);
  99.         // 查询系统中所有菜单,树结构
  100.         List<Menu> menus = menuService.findMenus("");
  101.         // new一个最后筛选完成之后的list
  102.         ArrayList<Menu> roleMenus = new ArrayList<>();
  103.         for (Menu menu : menus) {
  104.             if(menuIds.contains(menu.getId())){
  105.                 roleMenus.add(menu);
  106.             }
  107.             List<Menu> children = menu.getChildren();
  108.             // 移除children中不在menuIds集合中的元素
  109.             if (children != null) {
  110.                 children.removeIf(child -> !menuIds.contains(child.getId()));
  111.             }
  112.         }
  113.         return roleMenus;
  114.     }
  115. }
复制代码
1.5 MenuServiceImpl

将写在MenuController中的方法提取到service中(更符合现实中的开发)
如下图所示:controller不含业务代码

  1. package com.ppj.service.impl;
  2. import cn.hutool.core.util.StrUtil;
  3. import com.baomidou.mybatisplus.core.conditions.query.QueryWrapper;
  4. import com.ppj.entity.Menu;
  5. import com.ppj.mapper.MenuMapper;
  6. import com.ppj.service.IMenuService;
  7. import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl;
  8. import org.springframework.stereotype.Service;
  9. import java.util.List;
  10. import java.util.stream.Collectors;
  11. /**
  12. * <p>
  13. *  服务实现类
  14. * </p>
  15. *
  16. * @author ppj
  17. * @since 2024-05-29
  18. */
  19. @Service
  20. public class MenuServiceImpl extends ServiceImpl<MenuMapper, Menu> implements IMenuService {
  21.     public List<Menu> findMenus(String name) {
  22.         QueryWrapper<Menu> queryWrapper = new QueryWrapper<>();
  23.         if(StrUtil.isNotBlank(name)){
  24.             queryWrapper.like("name",name);
  25.         }
  26.         List<Menu> list = list(queryWrapper);
  27.         //找出一级菜单
  28.         List<Menu> parentNodes = list.stream().filter(menu -> menu.getPid() == null).collect(Collectors.toList());
  29.         //找出一级菜单的子菜单
  30.         for (Menu menu : parentNodes) {
  31.             menu.setChildren(list.stream().filter(m -> menu.getId().equals(m.getPid())).collect(Collectors.toList()));
  32.         }
  33.         return parentNodes;
  34.     }
  35. }
复制代码
2. 前端实现

2.1 User.vue

主要是表格多添加role字段,添加框增加角色选择框
  1. <template>
  2.   <div>
  3.     <div style="margin: 10px 0">
  4.       <el-input style="width: 200px" placeholder="请输入名称" suffix-icon="el-icon-search" v-model="username"></el-input>
  5.       <el-input style="width: 200px" placeholder="请输入地址" suffix-icon="el-icon-position" class="ml-5" v-model="address"></el-input>
  6.       <el-button class="ml-5" type="primary" @click="getList">搜索</el-button>
  7.       <el-button icon="el-icon-refresh" size="mini" @click="resetQuery">重置</el-button>
  8.     </div>
  9.     <div style="margin: 10px 0">
  10.       <el-button type="primary" @click="handleAdd">新增 <i class="el-icon-circle-plus-outline"></i></el-button>
  11.       <el-button type="warning" plain icon="el-icon-edit" size="mini" :disabled="single" @click="handleUpdate">修改</el-button>
  12.       <el-button type="danger" :disabled="multiple" @click="handleDelete">删除 <i class="el-icon-remove-outline"></i></el-button>
  13. <!--      <el-upload action="http://localhost:9000/user/import" :show-file-list="false" accept="xlsx" :on-success="handleImport" style="display: inline-block">-->
  14. <!--        <el-button type="primary" class="ml-5">导入 <i class="el-icon-bottom"></i></el-button>-->
  15. <!--      </el-upload>-->
  16.             <el-button type="success" @click="handleImport" class="ml-5">导入 <i class="el-icon-bottom"></i></el-button>
  17.       <el-button type="warning" @click="handleExport" class="ml-5">导出 <i class="el-icon-top"></i></el-button>
  18.     </div>
  19.     <el-table v-loading="loading" :data="tableData" border stripe :header-cell-class-name="headerBg" @selection-change="handleSelectionChange">
  20.       <el-table-column type="selection" width="55"></el-table-column>
  21.       <el-table-column prop="id" label="序号" width="140"></el-table-column>
  22.       <el-table-column prop="username" label="用户名" width="140"></el-table-column>
  23.       <el-table-column prop="nickname" label="昵称" width="140"></el-table-column>
  24.       <el-table-column prop="role" label="角色" width="140">
  25.         <template v-slot="scope">
  26.           <el-tag>{{ scope.row.role}}</el-tag>
  27.         </template>
  28.       </el-table-column>
  29.       <el-table-column prop="email" label="邮箱" width="200"></el-table-column>
  30.       <el-table-column prop="address" label="地址" width="140"></el-table-column>
  31.       <el-table-column prop="createTime" label="创建时间" width="140"></el-table-column>
  32.       <el-table-column label="操作"  align="center">
  33.         <template v-slot="scope">
  34.           <el-button type="success" @click="handleUpdate(scope.row)">编辑 <i class="el-icon-edit"></i></el-button>
  35.           <el-button type="danger" @click="handleDelete(scope.row)">删除 <i class="el-icon-remove-outline"></i></el-button>
  36.         </template>
  37.       </el-table-column>
  38.     </el-table>
  39.     <div style="padding: 10px 0">
  40.       <el-pagination
  41.           class="page"
  42.           @size-change="handleSizeChange"
  43.           @current-change="handleCurrentChange"
  44.           :page-sizes="[5, 10]"
  45.           :page-size="pageSize"
  46.           layout="total, sizes, prev, pager, next, jumper"
  47.           :total="total">
  48.       </el-pagination>
  49.     </div>
  50.     <!--  用户信息       -->
  51.     <el-dialog title="用户信息" :visible.sync="dialogFormVisible" width="30%" >
  52.       <el-form label-width="80px" size="small">
  53.         <el-form-item label="用户名">
  54.           <el-input v-model="form.username" autocomplete="off"></el-input>
  55.         </el-form-item>
  56.         <el-form-item label="昵称">
  57.           <el-input v-model="form.nickname" autocomplete="off"></el-input>
  58.         </el-form-item>
  59.         <el-form-item label="角色" >
  60.           <el-select v-model="form.role" placeholder="请选择" style="width: 100%">
  61.             <el-option
  62.                 v-for="item in roles"
  63.                 :key="item.name"
  64.                 :label="item.name"
  65.                 :value="item.roleKey">
  66.             </el-option>
  67.           </el-select>
  68.         </el-form-item>
  69.         <el-form-item label="邮箱">
  70.           <el-input v-model="form.email" autocomplete="off"></el-input>
  71.         </el-form-item>
  72.         <el-form-item label="电话">
  73.           <el-input v-model="form.phone" autocomplete="off"></el-input>
  74.         </el-form-item>
  75.         <el-form-item label="地址">
  76.           <el-input v-model="form.address" autocomplete="off"></el-input>
  77.         </el-form-item>
  78.       </el-form>
  79.       <div slot="footer" class="dialog-footer">
  80.         <el-button @click="dialogFormVisible = false">取 消</el-button>
  81.         <el-button type="primary" @click="save">确 定</el-button>
  82.       </div>
  83.     </el-dialog>
  84.     <!-- 用户导入对话框 -->
  85.     <el-dialog :title="upload.title" :visible.sync="upload.open" width="400px">
  86.       <el-upload
  87.           ref="upload"
  88.           :limit="1"
  89.           accept=".xlsx, .xls"
  90.           :action="upload.url"
  91.           :disabled="upload.isUploading"
  92.           :on-progress="handleFileUploadProgress"
  93.           :on-success="handleFileSuccess"
  94.           :auto-upload="false"
  95.           drag
  96.       >
  97.         <i class="el-icon-upload"></i>
  98.         <div class="el-upload__text">
  99.           将文件拖到此处,或
  100.           <em>点击上传</em>
  101.         </div>
  102.         <div class="el-upload__tip" slot="tip">
  103.           <el-link type="info" style="font-size: 16px;color:green" @click="importTemplate">下载模板</el-link>
  104.         </div>
  105.         <div class="el-upload__tip" style="color: red" slot="tip">
  106.           提示:仅允许导入“xls”或“xlsx”格式文件!
  107.         </div>
  108.       </el-upload>
  109.       <div slot="footer" class="dialog-footer">
  110.         <el-button type="primary" @click="submitFileForm">确 定</el-button>
  111.         <el-button @click="upload.open = false">取 消</el-button>
  112.       </div>
  113.     </el-dialog>
  114.   </div>
  115. </template>
  116. <script>
  117. export default {
  118.   name: "User",
  119.   data(){
  120.     return {
  121.       tableData: [],
  122.       pageSize: 5,
  123.       total: 0,
  124.       pageNum: 1,
  125.       username: '',
  126.       address: '',
  127.       collapseBtnClass: 'el-icon-s-fold',
  128.       isCollapse: false,
  129.       sideWidth: 200,
  130.       logoTextShow: true,
  131.       headerBg: 'headerBg',
  132.       dialogFormVisible: false,
  133.       form: {},
  134.       // 遮罩层
  135.       loading: true,
  136.       // 选中数组
  137.       ids: [],
  138.       // 非单个禁用
  139.       single: true,
  140.       // 非多个禁用
  141.       multiple: true,
  142.       //用户导入参数
  143.       upload: {
  144.         //是否显示弹出层(用户导入)
  145.         open: false,
  146.         //弹出层标题(用户导入)
  147.         title: "",
  148.         //是否禁用上传
  149.         // isUploading: false,
  150.         //是否更新已经存在的用户数据
  151.         //updateSupport: 0,
  152.         //设置上传的请求头部
  153.         //headers: "",
  154.         //上传的地址
  155.         url: "http://localhost:9000/user/import",
  156.       },
  157.       roles: [],
  158.     }
  159.   },
  160.   created() {
  161.     this.getList();
  162.   },
  163.   methods: {
  164.     getList(){
  165.       this.loading = true;
  166.       this.request.get('/user/page',
  167.           {
  168.             params: {
  169.               pageNum: this.pageNum,
  170.               pageSize: this.pageSize,
  171.               username: this.username,
  172.               address: this.address
  173.             }
  174.           }
  175.       ).then(res => {
  176.         if(res.code === '200'){
  177.           this.tableData = res.data.records;
  178.           this.total = res.data.total;
  179.           this.loading = false;
  180.         }else{
  181.           this.$message.error(res.msg)
  182.         }
  183.       })
  184.       this.request.get('/role').then(res => {
  185.         if(res.code === '200'){
  186.           this.roles = res.data;
  187.         }else{
  188.           this.$message.error(res.msg)
  189.         }
  190.       })
  191.     },
  192.     handleSizeChange(val) {
  193.       this.pageSize = val;
  194.     },
  195.     handleCurrentChange(val) {
  196.       this.pageNum = val;
  197.       this.getList();
  198.     },
  199.     // 多选框选中数据
  200.     handleSelectionChange(selection) {
  201.       this.ids = selection.map(item => item.id);
  202.       this.single = selection.length != 1;
  203.       this.multiple = !selection.length;
  204.     },
  205.     // 重置按钮
  206.     resetQuery(){
  207.       this.username = undefined;
  208.       this.address = undefined;
  209.       this.getList();
  210.     },
  211.     // 新增
  212.     handleAdd(){
  213.       this.dialogFormVisible = true;
  214.       this.form = {};
  215.     },
  216.     save(){
  217.       this.request.post("/user",this.form).then(res => {
  218.         if(res.code === "200" || res.code === 200){
  219.           this.$message.success("操作成功")
  220.         }else {
  221.           this.$message.error("操作失败")
  222.         }
  223.         this.dialogFormVisible = false;
  224.         this.getList();
  225.       })
  226.     },
  227.     // 修改
  228.     handleUpdate(row){
  229.       // 表单置空
  230.       this.reset();
  231.       // 重新查询数据
  232.       const userId = row.id || this.ids;
  233.       this.request.get('/user/'+userId).then(response => {
  234.         this.form = response.data;
  235.         this.dialogFormVisible = true;
  236.       });
  237.     },
  238.     reset(){
  239.       this.form.username = undefined;
  240.       this.form.nickname = undefined;
  241.       this.form.email = undefined;
  242.       this.form.phone = undefined;
  243.       this.form.address = undefined;
  244.     },
  245.     // 删除
  246.     handleDelete(row){
  247.       let _this = this;
  248.       const userIds = row.id || this.ids;
  249.       this.$confirm('是否确认删除用户编号为"' + userIds + '"的数据项?', '删除用户', {
  250.         confirmButtonText: '确定',
  251.         cancelButtonText: '取消',
  252.         type: 'warning'
  253.       }).then(() => {
  254.         _this.request.delete("/user/"+userIds).then(res=>{
  255.           if(res.code === "200" || res.code === 200){
  256.             _this.$message.success("删除成功")
  257.           }else {
  258.             _this.$message.error("删除失败")
  259.           }
  260.           this.getList();
  261.         })
  262.       }).catch(() => {
  263.       });
  264.     },
  265.     // 导出
  266.     handleExport(){
  267.       window.open('http://localhost:9000/user/export');
  268.       this.$message.success("导出成功");
  269.     },
  270.     // handleImport(){
  271.     //   this.$message.success('导入成功')
  272.     //   this.getList()
  273.     // },
  274.     handleImport(){
  275.       this.upload.title = '用户导入'
  276.       this.upload.open = true
  277.     },
  278.     importTemplate(){
  279.       this.$message.success("正在下载模版");
  280.       window.open('http://localhost:9000/user/download')
  281.     },
  282.     //文件上传处理
  283.     handleFileUploadProgress(event,file,fileList){
  284.       //this.upload.isUploading = true;
  285.       this.loading = true;
  286.     },
  287.     //文件上传成功处理
  288.     handleFileSuccess(response,file,fileList){
  289.       this.loading = false;
  290.       this.upload.open = false;
  291.       // this.upload.isUploading = false;
  292.       this.$refs.upload.clearFiles();
  293.       this.$message.success("导入成功");
  294.       this.getList()
  295.     },
  296.     //提交上传文件
  297.     submitFileForm(){
  298.       this.$refs.upload.submit();
  299.     }
  300.   }
  301. }
  302. </script>
  303. <style scoped>
  304. </style>
复制代码
2.2 动态菜单设计

2.2.1 Login.vue

在登录乐成的时候将菜单存到欣赏器中
  1. <template>
  2.   <div class="wrapper">
  3.     <div style="margin: 200px auto; background-color: #fff; width: 350px; height: 300px; padding: 20px; border-radius: 10px">
  4.       <div style="margin: 20px 0; text-align: center; font-size: 24px"><b>登 录</b></div>
  5.       <el-form :model="user" :rules="rules" ref="userForm">
  6.         <el-form-item prop="username">
  7.           <el-input size="medium" style="margin: 10px 0" prefix-icon="el-icon-user" v-model="user.username"></el-input>
  8.         </el-form-item>
  9.         <el-form-item prop="password">
  10.           <el-input size="medium" style="margin: 10px 0" prefix-icon="el-icon-lock" show-password v-model="user.password"></el-input>
  11.         </el-form-item>
  12.         <el-form-item style="margin: 10px 0; text-align: right">
  13.           <el-button type="primary" size="small"  autocomplete="off" @click="login">登录</el-button>
  14.           <el-button type="warning" size="small"  autocomplete="off" @click="$router.push('/register')">注册</el-button>
  15.         </el-form-item>
  16.       </el-form>
  17.     </div>
  18.   </div>
  19. </template>
  20. <script>
  21. export default {
  22.   name: "Login",
  23.   data() {
  24.     return {
  25.       user: {},
  26.       rules: {
  27.         username: [
  28.           { required: true, message: '请输入用户名', trigger: 'blur' },
  29.           { min: 3, max: 10, message: '长度在 3 到 5 个字符', trigger: 'blur' }
  30.         ],
  31.         password: [
  32.           { required: true, message: '请输入密码', trigger: 'blur' },
  33.           { min: 1, max: 20, message: '长度在 1 到 20 个字符', trigger: 'blur' }
  34.         ],
  35.       }
  36.     }
  37.   },
  38.   methods: {
  39.     login() {
  40.       this.$refs['userForm'].validate((valid) => {
  41.         if (valid) {  // 表单校验合法
  42.           this.request.post("/user/login", this.user).then(res => {
  43.             if(res.code === 200 || res.code === '200') {
  44.               localStorage.setItem('loginUser',JSON.stringify(res.data));
  45.               localStorage.setItem("menus",JSON.stringify(res.data.menus));
  46.               this.$router.push("/")
  47.               this.$message.success("登录成功")
  48.             } else {
  49.               this.$message.error(res.msg)
  50.             }
  51.           })
  52.         } else {
  53.           return false;
  54.         }
  55.       });
  56.     }
  57.   }
  58. }
  59. </script>
  60. <style>
  61. .wrapper {
  62.   height: 100vh;
  63.   background-image: linear-gradient(to bottom right, #FC466B , #3F5EFB);
  64.   overflow: hidden;
  65. }
  66. </style>
复制代码
2.2.2 Aside.vue

侧边栏动态表现菜单
  1. <template>
  2.   <el-menu :default-openeds="['1', '3']" style="min-height: 100%; overflow-x: hidden"
  3.            background-color="rgb(48, 65, 86)"
  4.            text-color="#fff"
  5.            active-text-color="#ffd04b"
  6.            :collapse-transition="false"
  7.            :collapse="isCollapse"
  8.            router
  9.   >
  10.     <div style="height: 60px; line-height: 60px; text-align: center">
  11.       <img src="../assets/logo.png" alt="" style="width: 20px; position: relative; top: 5px; right: 5px">
  12.       <b style="color: white" v-show="logoTextShow">后台管理系统</b>
  13.     </div>
  14.     <div v-for="item in menus" :key="item.id">
  15.       <!-- 一级菜单 -->
  16.       <div v-if="item.path">
  17.         <el-menu-item :index="item.path">
  18.           <template slot="title">
  19.             <i :class="item.icon"></i>
  20.             <span slot="title">{{ item.name }}</span>
  21.           </template>
  22.         </el-menu-item>
  23.       </div>
  24.       <!-- 二级菜单 -->
  25.       <div v-else>
  26.         <el-submenu :index="item.id+''">
  27.           <template slot="title">
  28.             <i :class="item.icon"></i>
  29.             <span slot="title">{{ item.name }}</span>
  30.           </template>
  31.           <div v-for="subItem in item.children" :key="subItem.id">
  32.             <el-menu-item :index="subItem.path">
  33.               <template slot="title">
  34.                 <i :class="subItem.icon"></i>
  35.                 <span slot="title">{{ subItem.name }}</span>
  36.               </template>
  37.             </el-menu-item>
  38.           </div>
  39.         </el-submenu>
  40.       </div>
  41.     </div>
  42.   </el-menu>
  43. </template>
  44. <script>
  45. export default {
  46.   name: "Aside",
  47.   props: {
  48.     isCollapse: Boolean,
  49.     logoTextShow: Boolean
  50.   },
  51.   data() {
  52.     return {
  53.       menus: localStorage.getItem('menus') ? JSON.parse(localStorage.getItem('menus')) : []
  54.     }
  55.   },
  56. }
  57. </script>
  58. <style scoped>
  59. </style>
复制代码
2.3 动态路由设计

为什么设置动态路由,这是由于没有其他页面权限的用户也是可以访问其他页面
如下图所示:
安其拉是平凡用户,只有主页的菜单权限(自己设置的角色所拥有的菜单)

2.3.1 菜单表新增字段page_path

对应每个页面组件名称
  1. CREATE TABLE `sys_menu` (
  2.   `id` int(11) NOT NULL AUTO_INCREMENT COMMENT 'id',
  3.   `name` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '名称',
  4.   `path` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '路径',
  5.   `page_path` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '页面路径',
  6.   `pid` int(11) DEFAULT NULL COMMENT '父级id',
  7.   `icon` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '图标',
  8.   `description` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL COMMENT '描述',
  9.   `deleted` tinyint(1) DEFAULT '0' COMMENT '逻辑删除',
  10.   PRIMARY KEY (`id`) USING BTREE
  11. ) ENGINE=InnoDB AUTO_INCREMENT=12 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci ROW_FORMAT=DYNAMIC
复制代码
2.3.2 路由设计

  1. import Vue from 'vue'
  2. import VueRouter from 'vue-router'
  3. import Manage from '../views/Manage.vue'
  4. import store from "@/store";
  5. Vue.use(VueRouter)
  6. //定义一个路由对象数组
  7. const routes = [
  8.   {
  9.     path: '/login',
  10.     name: '登录',
  11.     component: () => import('../views/Login.vue')
  12.   },
  13.   {
  14.     path: '/register',
  15.     name: '注册',
  16.     component: () => import('../views/Register.vue')
  17.   }
  18. ]
  19. //使用路由对象数组创建路由实例,供main.js引用
  20. const router = new VueRouter({
  21.   mode: 'history',
  22.   base: process.env.BASE_URL,
  23.   routes
  24. })
  25. // 注意:刷新页面会导致页面路由重置
  26. export const setRoutes = () => {
  27.   const storeMenus = localStorage.getItem("menus");
  28.   if (storeMenus) {
  29.     // 获取当前的路由对象名称数组
  30.     const currentRouteNames = router.getRoutes().map(v => v.name)
  31.     if (!currentRouteNames.includes('Manage')) {
  32.       // 拼装动态路由
  33.       const manageRoute = { path: '/', name: 'Manage', component: () => import('../views/Manage.vue'), redirect: "/home", children: [
  34.           { path: 'person', name: '个人信息', component: () => import('../views/Person.vue')},
  35.           // { path: 'password', name: '修改密码', component: () => import('../views/Password.vue')}
  36.         ] }
  37.       const menus = JSON.parse(storeMenus)
  38.       menus.forEach(item => {
  39.         if (item.path) {  // 当且仅当path不为空的时候才去设置路由
  40.           let itemMenu = { path: item.path.replace("/", ""), name: item.name, component: () => import('../views/' + item.pagePath + '.vue'),meta: { title: item.name }}
  41.           manageRoute.children.push(itemMenu)
  42.         } else if(item.children.length) {
  43.           item.children.forEach(item => {
  44.             if (item.path) {
  45.               let itemMenu = { path: item.path.replace("/", ""), name: item.name, component: () => import('../views/' + item.pagePath + '.vue'),meta: { title: item.name }}
  46.               manageRoute.children.push(itemMenu)
  47.             }
  48.           })
  49.         }
  50.       })
  51.       // 动态添加到现在的路由对象中去
  52.       router.addRoute(manageRoute)
  53.     }
  54.   }
  55. }
  56. // 重置我就再set一次路由
  57. setRoutes()
  58. // 路由守卫
  59. // router.beforeEach((to, from, next) => {
  60. //   localStorage.setItem('currentPathName',to.name);   // 设置当前的路由名称,为了在Header组件中去使用
  61. //   store.commit('setPath')    // 触发store的数据更新
  62. //   next()   // 放行路由
  63. // })
  64. export default router
复制代码
2.3.3 登录界面Login.vue设置路由

改动登录页面在乐成登录时,设置路由
  1. // 导入
  2. import {setRoutes} from "@/router";
  3. // 当登录成功时,同时设置路由
  4. localStorage.setItem("user",JSON.stringify(res.data));  //存储用户信息到浏览器
  5. localStorage.setItem("menus",JSON.stringify(res.data.menus));  //存储菜单到浏览器
  6. setRoutes();
  7. this.$router.push("/");
  8. this.$message.success("登录成功");
复制代码
总结



  • 本篇主要讲解动态菜单和动态路由的设计与实现
写在最后

假如此文对您有所帮助,请帅戈靓女们务必不要吝啬你们的Zan,感谢!!不懂的可以在评论区评论,有空会及时复兴。
文章会一直更新

免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

去皮卡多

论坛元老
这个人很懒什么都没写!
快速回复 返回顶部 返回列表