1. 效果

1.1 后端返回数据

image.png

1.2 前端效果

image.pngimage.png

1.3 页面效果

04、商品服务.jpg

1. 后端修改mall-product

查询:查询所有数据,并使用stram流进行筛选分类

1.1 修改实体类

修改CategoryEntity

  1. package com.ziyuan.product.entity;
  2. import com.baomidou.mybatisplus.annotation.TableField;
  3. import com.baomidou.mybatisplus.annotation.TableId;
  4. import com.baomidou.mybatisplus.annotation.TableLogic;
  5. import com.baomidou.mybatisplus.annotation.TableName;
  6. import lombok.Data;
  7. import java.io.Serializable;
  8. import java.util.List;
  9. /**
  10. * 商品三级分类
  11. *
  12. * @author sun-ziyuan
  13. * @email 1293095063@qq.com
  14. * @date 2021-11-22 11:50:50
  15. */
  16. @Data
  17. @TableName("pms_category")
  18. public class CategoryEntity implements Serializable {
  19. private static final long serialVersionUID = 1L;
  20. /**
  21. * 分类id
  22. */
  23. @TableId
  24. private Long catId;
  25. /**
  26. * 分类名称
  27. */
  28. private String name;
  29. /**
  30. * 父分类id
  31. */
  32. private Long parentCid;
  33. /**
  34. * 层级
  35. */
  36. private Integer catLevel;
  37. /**
  38. * 是否显示[0-不显示,1显示]
  39. */
  40. @TableLogic(value = "1",delval = "0")
  41. private Integer showStatus;
  42. /**
  43. * 排序
  44. */
  45. private Integer sort;
  46. /**
  47. * 图标地址
  48. */
  49. private String icon;
  50. /**
  51. * 计量单位
  52. */
  53. private String productUnit;
  54. /**
  55. * 商品数量
  56. */
  57. private Integer productCount;
  58. /**
  59. * 子元素存放在这里
  60. */
  61. @TableField(exist = false)
  62. private List<CategoryEntity> children;
  63. }

1.2 修改Controller

1.2.1 修改CategoryBrandRelationController

查询所有分类以及子分类

  1. package com.ziyuan.product.controller;
  2. import com.ziyuan.common.utils.R;
  3. import com.ziyuan.product.entity.CategoryEntity;
  4. import com.ziyuan.product.service.CategoryService;
  5. import io.swagger.annotations.Api;
  6. import io.swagger.annotations.ApiOperation;
  7. import org.springframework.beans.factory.annotation.Autowired;
  8. import org.springframework.web.bind.annotation.*;
  9. import java.util.Arrays;
  10. import java.util.List;
  11. /**
  12. * 商品三级分类
  13. *
  14. * @author sun-ziyuan
  15. * @email 1293095063@qq.com
  16. * @date 2021-11-22 11:50:50
  17. */
  18. @Api(tags = "商品三级分类API文档")
  19. @RestController
  20. @RequestMapping("product/category")
  21. public class CategoryController {
  22. @Autowired
  23. private CategoryService categoryService;
  24. @ApiOperation("查询所有分类以及子分类")
  25. @GetMapping("/list/tree")
  26. public R listTree(){
  27. List<CategoryEntity> list = categoryService.listWithTree();
  28. return R.ok().put("data", list);
  29. }
  30. @ApiOperation("信息")
  31. @GetMapping("/info/{catId}")
  32. public R info(@PathVariable("catId") Long catId){
  33. CategoryEntity category = categoryService.getById(catId);
  34. return R.ok().put("data", category);
  35. }
  36. @ApiOperation("保存")
  37. @PostMapping("/save")
  38. public R save(@RequestBody CategoryEntity category){
  39. categoryService.save(category);
  40. return R.ok();
  41. }
  42. @ApiOperation("修改")
  43. @PutMapping("/update")
  44. public R update(@RequestBody CategoryEntity category){
  45. categoryService.updateCascade(category);
  46. return R.ok();
  47. }
  48. @ApiOperation("修改排序")
  49. @PutMapping("/update/sort")
  50. public R updateSort(@RequestBody CategoryEntity[] category){
  51. categoryService.updateBatchById(Arrays.asList(category));
  52. return R.ok();
  53. }
  54. /**
  55. * @RequestBody: 获取请求体,必须发送POST请求
  56. * SpringMVC自动请求
  57. * @param catIds
  58. * @return
  59. */
  60. @ApiOperation("删除")
  61. @PostMapping("/delete")
  62. public R delete(@RequestBody Long[] catIds){
  63. // 1. 检查当前删除的菜单,是否被别的地方引用 逻辑删除
  64. categoryService.removeMenuByIds(Arrays.asList(catIds));
  65. return R.ok();
  66. }
  67. }

1.3 修改Service、ServiceImpl

service层

  1. package com.ziyuan.product.service;
  2. import com.baomidou.mybatisplus.extension.service.IService;
  3. import com.ziyuan.product.entity.CategoryEntity;
  4. import java.util.List;
  5. /**
  6. * 商品三级分类
  7. *
  8. * @author sun-ziyuan
  9. * @email 1293095063@qq.com
  10. * @date 2021-11-22 11:50:50
  11. */
  12. public interface CategoryService extends IService<CategoryEntity> {
  13. /**
  14. * 查询所有分类以及子分类
  15. * @return
  16. */
  17. List<CategoryEntity> listWithTree();
  18. /**
  19. * 检查当前删除的菜单,是否被别的地方引用 逻辑删除
  20. * @param asList
  21. */
  22. void removeMenuByIds(List<Long> asList);
  23. /**
  24. * 修改
  25. * @param category
  26. */
  27. void updateCascade(CategoryEntity category);
  28. }

ServiceImpl

  1. package com.ziyuan.product.service.impl;
  2. import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl;
  3. import com.ziyuan.product.dao.CategoryDao;
  4. import com.ziyuan.product.entity.CategoryEntity;
  5. import com.ziyuan.product.service.CategoryService;
  6. import org.springframework.stereotype.Service;
  7. import java.util.List;
  8. import java.util.stream.Collectors;
  9. @Service("categoryService")
  10. public class CategoryServiceImpl extends ServiceImpl<CategoryDao, CategoryEntity> implements CategoryService {
  11. @Override
  12. public List<CategoryEntity> listWithTree() {
  13. // 1.获取所有数据
  14. List<CategoryEntity> list = baseMapper.selectList(null);
  15. // 2. 组装成父子的树形结构
  16. // 2.1 找到所有的一级分类
  17. return list.stream()
  18. .filter(item -> item.getParentCid() == 0)
  19. .map(item -> {
  20. // 封装子菜单
  21. item.setChildren(getChildrens(item.getCatId(), list));
  22. return item;
  23. })
  24. .sorted((menu1, menu2) -> (menu1.getSort() != null ? menu1.getSort() : 0) - (menu2.getSort() != null ? menu2.getSort() : 0))
  25. .collect(Collectors.toList());
  26. }
  27. /**
  28. * 查询子元素
  29. */
  30. public List<CategoryEntity> getChildrens(Long catId,List<CategoryEntity> list){
  31. return list.stream()
  32. .filter(item -> item.getParentCid()==catId)
  33. .map(item -> {
  34. item.setChildren(getChildrens(item.getCatId(),list));
  35. return item;
  36. })
  37. .sorted((menu1, menu2) -> (menu1.getSort() != null ? menu1.getSort() : 0) - (menu2.getSort() != null ? menu2.getSort() : 0))
  38. .collect(Collectors.toList());
  39. }
  40. @Override
  41. public void removeMenuByIds(List<Long> asList) {
  42. // TODO 1、 检查当前删除的菜单,是否被别的地方引用
  43. baseMapper.deleteBatchIds(asList);
  44. }
  45. @Override
  46. public void updateCascade(CategoryEntity category) {
  47. baseMapper.updateById(category);
  48. // @TODO 级联更新
  49. }
  50. }

1.4 修改网关配置

放到/api/** 上面,不然会被/renren-fast/拦截 报错401

  1. spring:
  2. cloud:
  3. gateway:
  4. routes:
  5. - id: product_route # 路由Id, 自定义 只要唯一即可
  6. uri: lb://mall-product # 路由的目标地址 lb就是负载均衡,后面跟服务名称
  7. predicates: # 路由断言,就是判断请求是否符合路由规则
  8. - Path=/api/product/** # 这个按照路由匹配,只要以/api/开头就符合要求
  9. filters: # 动态路由过滤
  10. - RewritePath=/api/(?<segment>.*), /$\{segment} # 重写请求路径

1.5 逻辑删除

官方文档:https://mp.baomidou.com/guide/logic-delete.html#%E4%BD%BF%E7%94%A8%E6%96%B9%E6%B3%95

2. 逻辑删除
    1)、在实体类中加上逻辑删除注解
    @TableLogic(value = "1",delval = "0")
    private Integer showStatus;

2. 前端

前端页面

<template>
    <div>
        <el-switch v-model="draggable" active-text="开启拖拽" inactive-text="关闭拖拽"></el-switch>
        <el-button v-if="draggable" @click="batchSave">批量保存</el-button>
        <el-button type="danger" @click="batchDelete">批量删除</el-button>
        <el-tree :data="menus" :props="defaultProps" :expand-on-click-node="false" show-checkbox node-key="catId" :default-expanded-keys="expandedKey" :draggable="draggable" :allow-drop="allowDrop" @node-drop="handleDrop" ref="menuTree">
            <span class="custom-tree-node" slot-scope="{ node, data }">
                <span>{{ node.label }}</span>
                <span>
                    <el-button v-if="node.level <=2" type="text" size="mini" @click="() => append(data)">Append</el-button>
                    <el-button type="text" size="mini" @click="edit(data)">edit</el-button>
                    <el-button v-if="node.childNodes.length==0" type="text" size="mini" @click="() => remove(node, data)">Delete</el-button>
                </span>
            </span>
        </el-tree>

        <el-dialog :title="title" :visible.sync="dialogVisible" width="30%" :close-on-click-modal="false">
            <el-form :model="category">
                <el-form-item label="分类名称">
                    <el-input v-model="category.name" autocomplete="off"></el-input>
                </el-form-item>
                <el-form-item label="图标">
                    <el-input v-model="category.icon" autocomplete="off"></el-input>
                </el-form-item>
                <el-form-item label="计量单位">
                    <el-input v-model="category.productUnit" autocomplete="off"></el-input>
                </el-form-item>
            </el-form>
            <span slot="footer" class="dialog-footer">
                <el-button @click="dialogVisible = false">取 消</el-button>
                <el-button type="primary" @click="submitData">确 定</el-button>
            </span>
        </el-dialog>
    </div>
</template>

<script>
//这里可以导入其他文件(比如:组件,工具js,第三方插件js,json文件,图片文件等等)
//例如:import 《组件名称》 from '《组件路径》';

export default {
    //import引入的组件需要注入到对象中才能使用
    components: {},
    props: {},
    data () {
        return {
            pCid: [],
            draggable: false,
            updateNodes: [],
            maxLevel: 0,
            title: "",
            dialogType: "", //edit,add
            category: {
                name: "",
                parentCid: 0,
                catLevel: 0,
                showStatus: 1,
                sort: 0,
                productUnit: "",
                icon: "",
                catId: null
            },
            dialogVisible: false,
            menus: [],
            expandedKey: [],
            defaultProps: {
                children: "children",
                label: "name"
            }
        };
    },

    //计算属性 类似于data概念
    computed: {},
    //监控data中的数据变化
    watch: {},
    //方法集合
    methods: {
        getMenus () {
            this.$http({
                url: this.$http.adornUrl("/product/category/list/tree"),
                method: "get"
            }).then(({ data }) => {
                console.log("成功获取到菜单数据...", data.data);
                this.menus = data.data;
            });
        },
        batchDelete () {
            let catIds = [];
            let checkedNodes = this.$refs.menuTree.getCheckedNodes();
            console.log("被选中的元素", checkedNodes);
            for (let i = 0; i < checkedNodes.length; i++) {
                catIds.push(checkedNodes[i].catId);
            }
            this.$confirm(`是否批量删除【${catIds}】菜单?`, "提示", {
                confirmButtonText: "确定",
                cancelButtonText: "取消",
                type: "warning"
            })
                .then(() => {
                    this.$http({
                        url: this.$http.adornUrl("/product/category/delete"),
                        method: "post",
                        data: this.$http.adornData(catIds, false)
                    }).then(({ data }) => {
                        this.$message({
                            message: "菜单批量删除成功",
                            type: "success"
                        });
                        this.getMenus();
                    });
                })
                .catch(() => { });
        },
        batchSave () {
            this.$http({
                url: this.$http.adornUrl("/product/category/update/sort"),
                method: "put",
                data: this.$http.adornData(this.updateNodes, false)
            }).then(({ data }) => {
                this.$message({
                    message: "菜单顺序等修改成功",
                    type: "success"
                });
                //刷新出新的菜单
                this.getMenus();
                //设置需要默认展开的菜单
                this.expandedKey = this.pCid;
                this.updateNodes = [];
                this.maxLevel = 0;
                // this.pCid = 0;
            });
        },
        handleDrop (draggingNode, dropNode, dropType, ev) {
            console.log("handleDrop: ", draggingNode, dropNode, dropType);
            //1、当前节点最新的父节点id
            let pCid = 0;
            let siblings = null;
            if (dropType == "before" || dropType == "after") {
                pCid =
                    dropNode.parent.data.catId == undefined
                        ? 0
                        : dropNode.parent.data.catId;
                siblings = dropNode.parent.childNodes;
            } else {
                pCid = dropNode.data.catId;
                siblings = dropNode.childNodes;
            }
            this.pCid.push(pCid);

            //2、当前拖拽节点的最新顺序,
            for (let i = 0; i < siblings.length; i++) {
                if (siblings[i].data.catId == draggingNode.data.catId) {
                    //如果遍历的是当前正在拖拽的节点
                    let catLevel = draggingNode.level;
                    if (siblings[i].level != draggingNode.level) {
                        //当前节点的层级发生变化
                        catLevel = siblings[i].level;
                        //修改他子节点的层级
                        this.updateChildNodeLevel(siblings[i]);
                    }
                    this.updateNodes.push({
                        catId: siblings[i].data.catId,
                        sort: i,
                        parentCid: pCid,
                        catLevel: catLevel
                    });
                } else {
                    this.updateNodes.push({ catId: siblings[i].data.catId, sort: i });
                }
            }

            //3、当前拖拽节点的最新层级
            console.log("updateNodes", this.updateNodes);
        },
        updateChildNodeLevel (node) {
            if (node.childNodes.length > 0) {
                for (let i = 0; i < node.childNodes.length; i++) {
                    var cNode = node.childNodes[i].data;
                    this.updateNodes.push({
                        catId: cNode.catId,
                        catLevel: node.childNodes[i].level
                    });
                    this.updateChildNodeLevel(node.childNodes[i]);
                }
            }
        },
        allowDrop (draggingNode, dropNode, type) {
            //1、被拖动的当前节点以及所在的父节点总层数不能大于3

            //1)、被拖动的当前节点总层数
            console.log("allowDrop:", draggingNode, dropNode, type);
            //
            this.countNodeLevel(draggingNode);
            //当前正在拖动的节点+父节点所在的深度不大于3即可
            let deep = Math.abs(this.maxLevel - draggingNode.level) + 1;
            console.log("深度:", deep);

            //   this.maxLevel
            if (type == "inner") {
                // console.log(
                //   `this.maxLevel:${this.maxLevel};draggingNode.data.catLevel:${draggingNode.data.catLevel};dropNode.level:${dropNode.level}`
                // );
                return deep + dropNode.level <= 3;
            } else {
                return deep + dropNode.parent.level <= 3;
            }
        },
        countNodeLevel (node) {
            //找到所有子节点,求出最大深度
            if (node.childNodes != null && node.childNodes.length > 0) {
                for (let i = 0; i < node.childNodes.length; i++) {
                    if (node.childNodes[i].level > this.maxLevel) {
                        this.maxLevel = node.childNodes[i].level;
                    }
                    this.countNodeLevel(node.childNodes[i]);
                }
            }
        },
        edit (data) {
            console.log("要修改的数据", data);
            this.dialogType = "edit";
            this.title = "修改分类";
            this.dialogVisible = true;

            //发送请求获取当前节点最新的数据
            this.$http({
                url: this.$http.adornUrl(`/product/category/info/${data.catId}`),
                method: "get"
            }).then(({ data }) => {
                //请求成功
                console.log("要回显的数据", data);
                this.category.name = data.data.name;
                this.category.catId = data.data.catId;
                this.category.icon = data.data.icon;
                this.category.productUnit = data.data.productUnit;
                this.category.parentCid = data.data.parentCid;
                this.category.catLevel = data.data.catLevel;
                this.category.sort = data.data.sort;
                this.category.showStatus = data.data.showStatus;
            });
        },
        append (data) {
            console.log("append", data);
            this.dialogType = "add";
            this.title = "添加分类";
            this.dialogVisible = true;
            this.category.parentCid = data.catId;
            this.category.catLevel = data.catLevel * 1 + 1;
            this.category.catId = null;
            this.category.name = "";
            this.category.icon = "";
            this.category.productUnit = "";
            this.category.sort = 0;
            this.category.showStatus = 1;
        },

        submitData () {
            if (this.dialogType == "add") {
                this.addCategory();
            }
            if (this.dialogType == "edit") {
                this.editCategory();
            }
        },
        //修改三级分类数据
        editCategory () {
            var { catId, name, icon, productUnit } = this.category;
            this.$http({
                url: this.$http.adornUrl("/product/category/update"),
                method: "put",
                data: this.$http.adornData({ catId, name, icon, productUnit }, false)
            }).then(({ data }) => {
                this.$message({
                    message: "菜单修改成功",
                    type: "success"
                });
                //关闭对话框
                this.dialogVisible = false;
                //刷新出新的菜单
                this.getMenus();
                //设置需要默认展开的菜单
                this.expandedKey = [this.category.parentCid];
            });
        },

        //添加三级分类
        addCategory () {
            console.log("提交的三级分类数据", this.category);
            this.$http({
                url: this.$http.adornUrl("/product/category/save"),
                method: "post",
                data: this.$http.adornData(this.category, false)
            }).then(({ data }) => {
                this.$message({
                    message: "菜单保存成功",
                    type: "success"
                });
                //关闭对话框
                this.dialogVisible = false;
                //刷新出新的菜单
                this.getMenus();
                //设置需要默认展开的菜单
                this.expandedKey = [this.category.parentCid];
            });
        },
        // 删除按钮点击事件
        remove (node, data) {
            var ids = [data.catId];
            this.$confirm(`是否删除【${data.name}】菜单?`, "提示", {
                confirmButtonText: "确定",
                cancelButtonText: "取消",
                type: "warning"
            })
                .then(() => {
                    this.$http({
                        url: this.$http.adornUrl("/product/category/delete"),
                        method: "post",
                        data: this.$http.adornData(ids, false)
                    }).then(({ data }) => {
                        this.$message({
                            message: "菜单删除成功",
                            type: "success"
                        });
                        //刷新出新的菜单
                        this.getMenus();
                        //设置需要默认展开的菜单
                        this.expandedKey = [node.parent.data.catId];
                    });
                })
                .catch(() => { });

            console.log("remove", node, data);
        }
    },
    //生命周期 - 创建完成(可以访问当前this实例)
    created () {
        this.getMenus();
    }
};
</script>