Java列表转树形结构工具

不废话,直接上代码

一、工具函数

可以直接使用list2tree()实现列表转树形结构

package com.server.utils.tree;import org.springframework.beans.BeanUtils;import java.lang.reflect.Field;
import java.util.ArrayList;
import java.util.Collections;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Objects;
import java.util.function.BiConsumer;
import java.util.function.Function;
import java.util.function.Supplier;
import java.util.stream.Collectors;/*** @author visy.wang* @date 2024/6/27 21:27*/
public class TreeUtil {//通过Map的方式组装树形结构(只需单次遍历即可完成)public static <T,K,R> R list2tree(List<T> list,K rootId,Function<T,K> idGetter,Function<T,K> pidGetter,Function<T,R> converter,Supplier<R> builder,BiConsumer<R,R> childAdder){Map<K, R> map = new HashMap<>();for (T t : list) {K id = idGetter.apply(t), pid = pidGetter.apply(t);//查找当前节点R node = map.get(id);if(node == null){//当前节点不存在则创建node = converter.apply(t);map.put(id, node);}else{//当前节点已存在(被其他节点以父节点加入),补全剩余字段R srcNode = converter.apply(t);BeanUtils.copyProperties(srcNode, node, getNullProperties(srcNode));}//查找父节点R parent = map.get(pid);if(parent == null){//父节点不存在,则创建父节点,并将自身添加到父节点的子节点集合中parent = builder.get();childAdder.accept(parent, node);map.put(pid, parent);}else{//父节点已存在,直接将自身添加到父节点的子节点集合中childAdder.accept(parent, node);}}return map.get(rootId);}//通过递归的方式组装树形结构(层级过多时占用内存较大,数据不规范时有内存溢出风险)public static <T,K,R> List<R> list2tree(List<T> list,K rootId,Function<T,K> idGetter,Function<T,K> pidGetter,Function<T,R> converter,BiConsumer<R,List<R>> childrenSetter){return list.stream().filter(t -> {K parentId = pidGetter.apply(t);return Objects.equals(parentId, rootId);}).map(t -> {K id = idGetter.apply(t);R node = converter.apply(t);List<R> children = list2tree(list, id, idGetter, pidGetter, converter, childrenSetter);if(!children.isEmpty()){childrenSetter.accept(node, children);}return node;}).collect(Collectors.toList());}//通过Map+实现接口的方式组装树形结构public static <T,K> List<TreeNode<K>> list2tree(List<T> list,K rootId,Function<T,TreeNode<K>> converter,Supplier<TreeNode<K>> builder){Map<K, TreeNode<K>> map = new HashMap<>();for (T t : list) {TreeNode<K> node = converter.apply(t);K id = node.getId(), parentId = node.getParentId();//查找当前节点TreeNode<K> currNode = map.get(id);if(currNode != null){//当前节点已存在(被其他节点以父节点加入)//复制子节点集合node.setChildren(currNode.getChildren());}map.put(id, node);//更新或添加当前节点//查找父节点TreeNode<K> parentNode = map.get(parentId);if(parentNode == null){//父节点不存在,则创建父节点,并将自身添加到父节点的子节点集合中parentNode = builder.get();parentNode.addChild(node);map.put(parentId, parentNode);}else{//父节点已存在,直接将自身添加到父节点的子节点集合中parentNode.addChild(node);}}TreeNode<K> rootNode = map.get(rootId);return rootNode==null ? Collections.emptyList() : rootNode.getChildren();}//通过递归+实现接口的方式组装树形结构public static <T,K> List<TreeNode<K>> list2tree(List<T> list,K rootId,Function<T,TreeNode<K>> converter){return list.stream().map(converter).filter(node -> {K parentId = node.getParentId();return Objects.equals(parentId, rootId);}).peek(node -> {K id = node.getId();List<TreeNode<K>> children = list2tree(list, id, converter);if(!children.isEmpty()){node.setChildren(children);}}).collect(Collectors.toList());}private static final Map<String,Field[]> fieldsCache = new HashMap<>();private static String[] getNullProperties(Object obj) {Class<?> clazz = obj.getClass();String className = clazz.getName();Field[] fields = fieldsCache.get(className);if(fields == null){fields = clazz.getDeclaredFields();Field.setAccessible(fields, true);fieldsCache.put(className, fields);}List<String> nullProperties = new ArrayList<>();for (Field field : fields) {try {Object value = field.get(obj);if (value == null) {nullProperties.add(field.getName());}} catch (IllegalAccessException e) {e.printStackTrace();}}String[] result = new String[nullProperties.size()];return nullProperties.toArray(result);}
}
二、接口定义

定义节点规范

package com.server.utils.tree;import java.util.List;/*** @author visy.wang* @date 2024/7/1 10:45*/
public interface TreeNode<K> {K getId();K getParentId();void addChild(TreeNode<K> child);List<TreeNode<K>> getChildren();void setChildren(List<TreeNode<K>> children);
}
三、原始对象
package com.server.utils.tree;import lombok.AllArgsConstructor;
import lombok.Data;
import lombok.NoArgsConstructor;import java.io.Serializable;/*** 菜单*/
@Data
@NoArgsConstructor
@AllArgsConstructor
public class Menu implements Serializable {private static final long serialVersionUID = 1L;/*** 菜单id*/private Long id;/*** 父id*/private Long fid;/*** 机构名称*/private String name;/*** 模块id*/private Integer level;/*** 状态   1 启用 2 停用*/private Integer status;/*** 权重*/private Integer weight;
}
四、节点对象
package com.server.utils.tree;import lombok.Data;
import lombok.EqualsAndHashCode;import java.util.ArrayList;
import java.util.List;/*** @author visy.wang* @date 2024/6/27 21:54*/
@Data
@EqualsAndHashCode(callSuper = true)
public class MenuNode extends Menu { //不一定要继承原始对象(字段都能复用的时候才考虑继承)/*** 是否勾选*/private Integer isCheck;/*** 子菜单列表*/private List<MenuNode> children;public void addChild(MenuNode child){if(children == null){children = new ArrayList<>();}children.add(child);}
}
五、测试
package com.server.utils.tree;import com.alibaba.fastjson.JSON;
import org.springframework.beans.BeanUtils;import java.util.ArrayList;
import java.util.HashSet;
import java.util.List;
import java.util.Set;/*** @author visy.wang* @date 2024/6/27 21:55*/
public class Test {public static void main(String[] args) {List<Menu> menuList = new ArrayList<>();//顺序可以任意调整,不影响结果menuList.add(new Menu(1L, null, "菜单A", 1, 1,1));menuList.add(new Menu(4L, 2L, "菜单BA", 2, 1,4));menuList.add(new Menu(3L, 1L, "菜单AA", 2, 1,3));menuList.add(new Menu(5L, 3L, "菜单AAA", 3, 1,5));menuList.add(new Menu(2L, null, "菜单B", 1, 1,2));//勾选的菜单ID集合Set<Long> checkedMenuIds = new HashSet<>();checkedMenuIds.add(3L);checkedMenuIds.add(5L);//map的方式MenuNode root = TreeUtil.list2tree(menuList, //原始列表null, //根节点ID,用于提取顶层节点Menu::getId, //获取ID的方法,也可以指定别的字段Menu::getFid, //获取父ID的方法,也可以指定别的字段,但是必须和上面的方法对应menu -> { //将列表中的原始对象转换成节点对象(一般来说比原始对象多了对子节点集合的持有,除此之外也可以按需要增减字段)MenuNode node = new MenuNode();//创建一个节点BeanUtils.copyProperties(menu, node);//复制原始对象的字段到节点对象node.setIsCheck(checkedMenuIds.contains(menu.getId()) ? 1 : 0);//单独设置其他字段return node;//返回节点对象},MenuNode::new, //节点对象的构造方法,用于创建一个新的父节点对象MenuNode::addChild //添加子节点的方法);System.out.println(JSON.toJSONString(root.getChildren()));//递归的方式List<MenuNode> menuNodeList = TreeUtil.list2tree(menuList, //原始列表null, //根节点IDMenu::getId, //获取ID的方法,也可以指定别的字段Menu::getFid, //获取父ID的方法,也可以指定别的字段,但是必须和上面的方法对应menu -> { //将列表中的原始对象转换成节点对象(一般来说比原始对象多了对子节点集合的持有,除此之外也可以按需要增减字段)MenuNode node = new MenuNode();//创建一个节点BeanUtils.copyProperties(menu, node);//复制原始对象的字段到节点对象node.setIsCheck(checkedMenuIds.contains(menu.getId()) ? 1 : 0);//单独设置其他字段return node;//返回节点对象},MenuNode::setChildren //设置子节点集合的方法);System.out.println(JSON.toJSONString(menuNodeList));}
}
六、打印结果
  • map的方式:
[{"children": [{"children": [{"fid": 3, "id": 5, "isCheck": 1, "level": 3, "name": "菜单AAA", "status": 1, "weight": 5}], "fid": 1, "id": 3, "isCheck": 1, "level": 2, "name": "菜单AA", "status": 1, "weight": 3}], "id": 1, "isCheck": 0, "level": 1, "name": "菜单A", "status": 1, "weight": 1}, {"children": [{"fid": 2, "id": 4, "isCheck": 0, "level": 2, "name": "菜单BA", "status": 1, "weight": 4}], "id": 2, "isCheck": 0, "level": 1, "name": "菜单B", "status": 1, "weight": 2}
]
  • 递归的方式:
[{"children": [{"children": [{"fid": 3, "id": 5, "isCheck": 1, "level": 3, "name": "菜单AAA", "status": 1, "weight": 5}], "fid": 1, "id": 3, "isCheck": 1, "level": 2, "name": "菜单AA", "status": 1, "weight": 3}], "id": 1, "isCheck": 0, "level": 1, "name": "菜单A", "status": 1, "weight": 1}, {"children": [{"fid": 2, "id": 4, "isCheck": 0, "level": 2, "name": "菜单BA", "status": 1, "weight": 4}], "id": 2, "isCheck": 0, "level": 1, "name": "菜单B", "status": 1, "weight": 2}
]
七、实现接口的方式
  • 节点对象

节点对象必须实现TreeNode接口,泛型中指定子父关联字段的类型

package com.server.utils.tree;import lombok.Data;
import lombok.EqualsAndHashCode;import java.util.ArrayList;
import java.util.List;/*** @author visy.wang* @date 2024/7/1 11:31*/
@Data
@EqualsAndHashCode(callSuper = true)
public class MenuNodeV2 extends Menu implements TreeNode<Long>{/*** 是否勾选*/private Integer isCheck;/*** 子菜单列表*/private List<TreeNode<Long>> children;@Overridepublic Long getParentId() {return getFid();}@Overridepublic void addChild(TreeNode<Long> child) {if(this.children == null){this.children = new ArrayList<>();}this.children.add(child);}
}
  • 测试
package com.server.utils.tree;import com.alibaba.fastjson.JSON;
import org.springframework.beans.BeanUtils;import java.util.ArrayList;
import java.util.HashSet;
import java.util.List;
import java.util.Set;/*** @author visy.wang* @date 2024/6/27 21:55*/
public class Test {public static void main(String[] args) {List<Menu> menuList = new ArrayList<>();//顺序可以任意调整,不影响结果menuList.add(new Menu(1L, null, "菜单A", 1, 1,1));menuList.add(new Menu(4L, 2L, "菜单BA", 2, 1,4));menuList.add(new Menu(3L, 1L, "菜单AA", 2, 1,3));menuList.add(new Menu(5L, 3L, "菜单AAA", 3, 1,5));menuList.add(new Menu(2L, null, "菜单B", 1, 1,2));//勾选的菜单ID集合Set<Long> checkedMenuIds = new HashSet<>();checkedMenuIds.add(3L);checkedMenuIds.add(5L);//map的方式+接口实现List<TreeNode<Long>> treeNodeList = TreeUtil.list2tree(menuList, //原始列表null, //根节点ID,用于提取顶层节点menu -> { //将列表中的原始对象MenuNodeV2 node = new MenuNodeV2();//创建一个节点BeanUtils.copyProperties(menu, node);//复制原始对象的字段到节点对象node.setIsCheck(checkedMenuIds.contains(menu.getId()) ? 1 : 0);//单独设置其他字段return node;//返回节点对象},MenuNodeV2::new);System.out.println(JSON.toJSONString(treeNodeList));//递归的方式+接口实现List<TreeNode<Long>> treeNodeList2 = TreeUtil.list2tree(menuList, //原始列表null, //根节点ID,用于提取顶层节点menu -> { //将列表中的原始对象MenuNodeV2 node = new MenuNodeV2();//创建一个节点BeanUtils.copyProperties(menu, node);//复制原始对象的字段到节点对象node.setIsCheck(checkedMenuIds.contains(menu.getId()) ? 1 : 0);//单独设置其他字段return node;//返回节点对象});System.out.println(JSON.toJSONString(treeNodeList2));}
}
  • 打印结果

map的方式+接口实现

[{"children": [{"children": [{"fid": 3, "id": 5, "isCheck": 1, "level": 3, "name": "菜单AAA", "parentId": 3, "status": 1, "weight": 5}], "fid": 1, "id": 3, "isCheck": 1, "level": 2, "name": "菜单AA", "parentId": 1, "status": 1, "weight": 3}], "id": 1, "isCheck": 0, "level": 1, "name": "菜单A", "status": 1, "weight": 1}, {"children": [{"fid": 2, "id": 4, "isCheck": 0, "level": 2, "name": "菜单BA", "parentId": 2, "status": 1, "weight": 4}], "id": 2, "isCheck": 0, "level": 1, "name": "菜单B", "status": 1, "weight": 2}
]

递归的方式+接口实现

[{"children": [{"children": [{"fid": 3, "id": 5, "isCheck": 1, "level": 3, "name": "菜单AAA", "parentId": 3, "status": 1, "weight": 5}], "fid": 1, "id": 3, "isCheck": 1, "level": 2, "name": "菜单AA", "parentId": 1, "status": 1, "weight": 3}], "id": 1, "isCheck": 0, "level": 1, "name": "菜单A", "status": 1, "weight": 1}, {"children": [{"fid": 2, "id": 4, "isCheck": 0, "level": 2, "name": "菜单BA", "parentId": 2, "status": 1, "weight": 4}], "id": 2, "isCheck": 0, "level": 1, "name": "菜单B", "status": 1, "weight": 2}
]
八、递归方式的优化
public static <T,K,R> List<R> list2tree(List<T> list,K rootId,Function<T,K> idGetter,Function<T,K> pidGetter,Function<T,R> converter,BiConsumer<R,List<R>> childrenSetter){if(Objects.isNull(list) || list.isEmpty()){return null;}List<T> childList = new ArrayList<>(), surplusList = new ArrayList<>();for (T t : list) {if(Objects.equals(rootId, pidGetter.apply(t))){childList.add(t);}else{surplusList.add(t);}}if(childList.isEmpty()){return null;}return childList.stream().map(t -> {K id = idGetter.apply(t);R node = converter.apply(t);List<R> children = list2tree(surplusList, id, idGetter, pidGetter, converter, childrenSetter);childrenSetter.accept(node, children);return node;}).collect(Collectors.toList());
}
public static <T,K> List<TreeNode<K>> list2tree(List<T> list,K rootId,Function<T,TreeNode<K>> converter){if(Objects.isNull(list) || list.isEmpty()){return null;}List<T> surplusList = new ArrayList<>();//剩余列表(将已查找到的节点排除)List<TreeNode<K>> childList = new ArrayList<>();//rootId下的子节点列表for (T t : list) {TreeNode<K> node = converter.apply(t);if(Objects.equals(rootId, node.getParentId())){childList.add(node);}else{surplusList.add(t);}}childList.forEach(node -> {node.setChildren(list2tree(surplusList, node.getId(), converter));});return childList.isEmpty() ? null : childList;
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/bicheng/40575.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

上海-灵曼科技(面经)

上海-灵曼科技 hr电话面 个人简介 个人信息的询问 是否知道芋道框架 技术面 算法题 14. 最长公共前缀&#xff08;写出来即可&#xff09; 聊一下Docker Docker核心概念总结Docker实战 聊一下AOP Spring AOP详解 聊一下JWT JWT 基础概念详解JWT 身份认证优缺点分析 Spri…

在数据库中,什么是主码、候选码、主属性、非主属性?

在数据库中&#xff0c;主码、候选码、主属性和非主属性是几个重要的概念&#xff0c;它们对于理解数据库的结构和数据的完整性至关重要。以下是对这些概念的详细解释&#xff1a; 一、主码&#xff08;Primary Key&#xff09; 定义&#xff1a;主码&#xff0c;也被称为主键…

使用React复刻ThreeJS官网示例——keyframes动画

最近在看three.js相关的东西&#xff0c;想着学习一下threejs给的examples。源码是用html结合js写的&#xff0c;恰好最近也在学习react&#xff0c;就用react框架学习一下。 本文参考的是threeJs给的第一个示例 three.js examples (threejs.org) 一、下载threeJS源码 通常我们…

【接口自动化测试】第四节.实现项目核心业务的单接口自动化测试

文章目录 前言一、登录单接口自动化测试 1.1 登录单接口文档信息 1.2 登录成功 1.3 登录失败&#xff08;用户名为空&#xff09;二、数据驱动的实现 2.1 json文件实现数据驱动三、课程添加单接口自动化测试 3.1 课程添加单接口文档信息 3.2 课程…

vue怎么动态设置类名和样式?

动态类名 对象语法 使用对象语法绑定动态类名&#xff1a; <template><div><button click"toggleClass">Toggle Class</button><div :class"{active: isActive, inactive: !isActive}">This divs class changes dynamica…

Promethuse-监控 Etcd

一、思路 Prometheus监控Etcd集群&#xff0c;是没有对应的exporter&#xff0c;而 由CoreOS公司开发的Operator&#xff0c;用来扩展 Kubernetes API&#xff0c;特定的应用程序控制器&#xff0c;它用来创建、配置和管理复杂的有状态应用&#xff0c;如数据库、缓存和监控系…

大数据面试题之数据库(2)

数据库中存储引擎MvlSAM与InnoDB的区别 Mylsam适用于什么场景? InnoDB和Mvlsam针对读写场景? MySQL Innodb实现了哪个隔离级别? InnoDB数据引擎的特点 InnoDB用什么索引 Hash索引缺点 数据库索引的类型&#xff0c;各有什么优缺点? MySQL的索引有哪些?索引…

软件性能测试有哪几种测试方法?专业性能测试报告出具

软件性能测试是指对软件系统在特定负载条件下的性能进行评估和验证的过程&#xff0c;目的是确保软件在正常使用的情况下能够满足用户的要求&#xff0c;并在稳定的性能水平下运行&#xff0c;在软件开发过程中起到了至关重要的作用&#xff0c;可以确保软件产品的质量和可靠性…

java.lang.UnsatisfiedLinkError: XXX: 无法打开共享对象文件: 没有那个文件或目录

一、问题描述 在服务器上运行Jar包&#xff0c;出现&#xff1a; Servlet.service() for servlet [dispatcherServlet] in context with path [] threw exception [Handler dispatch failed; nested exception is java.lang.UnsatisfiedLinkError: /usr/local/jdk-11.0.23/lib…

【Android面试八股文】你是怎么保证Android设备的时间与服务器时间同步的?(使用NTP和TrueTime方案)

文章目录 一、网络时间协议(NTP)二、使用网络时间协议(NTP)2.1 使用系统提供的 NTP 服务器2.2 使用TrueTime2.2.1 引入TrueTime库2.2.2 初始化 TrueTime2.2.3 用法2.2.4 使用 TrueTime 获取时间2.2.4 自动更新时间2.2.5 注意事项二. 使用 HTTP 请求获取服务器时间2.1. 发送…

【unity实战】使用Unity实现动作游戏的攻击 连击 轻重攻击和打击感

最终效果 文章目录 最终效果前言素材下载&#xff1a;玩家移动跳跃控制攻击动画配置轻攻击重攻击 攻击时禁止移动和攻击移动补偿敌人击退和播放受击动画受击特效攻击停顿和屏幕震动局部顿帧&#xff08;补充&#xff09;参考源码完结 前言 注意本文为自己的学习记录笔记&#…

Android平台崩溃和 ANR 问题进行符号化解析、解析崩溃日志的内存地址

使用Android Logcat Stacktrace Utility | Android Logcat | 1.2.3 1.设置so库路径 2.打开Stacktrace Utility工具 3.在Original粘贴报错内存地址 4.点击Resolve Stacktraces,就会解析出内存地址 如果是红色,解析失败了,缺少原生so库,可以在第一步添加so库文件再次尝试…

nginx的重定向rewrite

nginx的重定向(rewrite) location匹配 location匹配的就是后面的URI location匹配的分类和优先级* 1、精确匹配 location/ 对字符串进行完全匹配&#xff0c;必须完全符合,后面内容要写全 2、正则匹配 ^~ 以 xxx为开头 ~区分大小写的匹配 ~*不区分大小写 !~ :区分大小写…

c语言回顾-内存操作函数

目录 前言 1.memcpy 函数 1.1函数介绍 1.2与strcpy的区别 1.3memcpy的模拟 2.memmove 函数 2.1函数介绍和使用 2.2函数的模拟 3.memset函数 3.1函数介绍 3.2函数的模拟 4.memcmp函数 4.1函数的使用 4.2函数的模拟 结束语 前言 在动态内存的章节中小编详细讲解了动…

代码随想录算法训练营第69天:图论7[1]

代码随想录算法训练营第69天&#xff1a;图论7 109. 冗余连接II 卡码网题目链接&#xff08;ACM模式&#xff09;(opens new window) 题目描述 有向树指满足以下条件的有向图。该树只有一个根节点&#xff0c;所有其他节点都是该根节点的后继。该树除了根节点之外的每一个节…

C++多进程下使用文件锁互斥执行压缩进程

文章目录 0. 引言1. 解决方案2. 文件锁相比信号量的优势3. 示例代码compress_log.cpp4. 流程图5. 总结 0. 引言 在多进程环境中&#xff0c;每个进程都会生成自己的日志文件&#xff0c;并独立进行gzip压缩。尽管每个进程压缩的频率和时间可能不同&#xff0c;但由于系统的运行…

【Arduino】ESP8266开发环境配置(图文)

ESP8266与ESP32开发很类似&#xff0c;相当于是低配版本的ESP32&#xff0c;其同样具有无线网络连接能力&#xff0c;功能强大&#xff0c;而且价格比ESP32更具有优势。接下来我们就来设置一下ESP8266的开发环境。 使用Arduino开发平台软件&#xff0c;选择首选项进行设置。 h…

ASP.NET Core 6.0 使用 Action过滤器

Action过滤器 在ASP.NET Core中&#xff0c;Action过滤器用于在执行Action方法之前或之后执行逻辑。你可以创建自定义的Action过滤器来实现这一点。 继承 ActionFilterAttribute 类&#xff1a; [TypeFilter(typeof(CustomAllActionResultFilterAttribute))]public IActionRe…

67.WEB渗透测试-信息收集- WAF、框架组件识别(7)

免责声明&#xff1a;内容仅供学习参考&#xff0c;请合法利用知识&#xff0c;禁止进行违法犯罪活动&#xff01; 内容参考于&#xff1a; 易锦网校会员专享课 上一个内容&#xff1a;66.WEB渗透测试-信息收集- WAF、框架组件识别&#xff08;6&#xff09;-CSDN博客 关于w…

【大模型】MOE模型混合专家调度机制详解

MOE模型混合专家调度机制详解 引言 在大规模机器学习和深度学习应用中&#xff0c;模型的复杂性和计算需求日益增长。为了解决单个专家模型在特定任务上的局限性&#xff0c;Mixture of Experts (MoE) 架构应运而生。MoE模型通过组合多个专家模型&#xff0c;能够在保持高效率…