利用多级树形查询实现多级分类列表

多级树形查询

做项目的时候遇到了这个问题,想记录一下~

多级树形查询实例

对应的数据库表:
在这里插入图片描述
这里直接上Service层对应的实现类

@Service
public class CategoryServiceImpl extends ServiceImpl<CategoryMapper, Category> implements ICategoryService {

    @Override
    public List<CategoryVo> listWithTree() {
        List<Category> entities = list();

        //把Category的数组entities包装成CategoryVo数组
        List<CategoryVo> categoryVos = entities.stream().map(category -> {
            CategoryVo categoryVo = new CategoryVo();
            BeanUtils.copyProperties(category, categoryVo);//此处主要使用工具类BeanUtils中的copyProperties完成赋值
            return categoryVo;
        }).collect(Collectors.toList());

        List<CategoryVo> list = categoryVos.stream()
                .filter(category -> category.getParentId().equals(Long.parseLong("0")))//parentId为0则说明该节点为根节点
                .map(
                        (menu)->{
                            menu.setChildren(getChildrenData(menu,categoryVos));
                            return menu;
                        })
                .collect(Collectors.toList());
        return list;
    }

    //获取孩子(下级目录)的方法,递归实现
    private List<CategoryVo> getChildrenData(CategoryVo categoryVo, List<CategoryVo> categoryVoList) {
        List<CategoryVo> children = categoryVoList.stream()
                .filter(c -> c.getParentId().equals(categoryVo.getId()))
                .map(
                        c -> {
                            c.setChildren(getChildrenData(c,categoryVoList));
                            return c;
                        })
                .collect(Collectors.toList());
        return children;
    }
}

理解图(手残党,凑合着理解吧):
利用多级树形查询实现多级分类列表_第1张图片
测试结果:
利用多级树形查询实现多级分类列表_第2张图片

你可能感兴趣的:(Java进阶自学笔记,java)