• list用stream流转map报key重复


        我们在利用java8  Lambda 表达式将集合中对象的属性转成Map时就会出现 Duplicate key  xxxx , 说白了也就是key 重复了!案例如下:

    1. @Getter
    2. @Setter
    3. @AllArgsConstructor
    4. public class Student{
    5.     private String className;
    6.     private String studentName;
    7.     public static void main(String[] args) {
    8. List<Student> list = new ArrayList<>();
    9. list.add(new Student("一年级二班", "小明"));
    10. list.add(new Student("一年级二班", "小芳"));
    11. list.add(new Student("一年级二班", "小华"));
    12. list.add(new Student("一年级三班", "翠花"));
    13. list.add(new Student("一年级三班", "香兰"));
    14. // 集合中对象属性转map
    15. Map<String, String> map = list.stream().collect(Collectors.toMap(Student :: getClassName, Student :: getStudentName));
    16. System.out.println(map);
    17. }
    18. }

     此时将对象的 班级名称为 key 学生名称为 value,但运行时出现了多个相同的key ,此时编译器就会抛出 Duplicate key  xxxx 

    解决方案如下:

       我们需要使用toMap的另外一个重载的方法!

    Collectors.toMap(keyMapper, valueMapper, mergeFunction)

        前两两个参数都是与之前一样 key 和 value得取值属性, 第三个参数是当key 发生重复时处理的方法,注释上的解释如下:

    一种合并函数,用于解决两者之间的冲突与提供的相同键相关联的值到{@link Map#merge(Object, Object, BiFunction)}

        该合并函数有两个参数,第一个参数为当前重复key 之前对应的值,第二个为当前重复key 现在数据的值。

    1、重复时采用后面的value 覆盖前面的value

    1. Map<String, String> map = list.stream().collect(Collectors.toMap(Student :: getClassName, Student :: getStudentName,
    2. (value1, value2 )->{
    3.             return value2;
    4. }));
    5. 输出:
    6. {一年级三班=香兰, 一年级二班=小华}

         也可以简写成这样:

    1. Map<String, String> map = list.stream().collect(Collectors.toMap(Student :: getClassName, Student :: getStudentName,
    2. (key1 , key2)-> key2 ));

     2、重复时将之前的value 和现在的value拼接或相加起来;

    1. Map<String, String> map = list.stream().collect(Collectors.toMap(Student :: getClassName, Student :: getStudentName,
    2. (key1 , key2)-> key1 + "," + key2 ));
    3. 输出:
    4. {一年级三班=翠花,香兰, 一年级二班=小明,小芳,小华}

     3、将重复key的数据变成一个集合!

    1. Map> map = list.stream().collect(Collectors.toMap(Student :: getClassName,
    2.     // 此时的value 为集合,方便重复时操作
    3.     s -> {
    4. List studentNameList = new ArrayList<>();
    5. studentNameList.add(s.getStudentName());
    6. return studentNameList;
    7.     },
    8.     // 重复时将现在的值全部加入到之前的值内
    9. (List value1, List value2) -> {
    10. value1.addAll(value2);
    11. return value1;
    12.     }
    13. ));
    14. 输出:
    15. {一年级三班=[翠花, 香兰], 一年级二班=[小明, 小芳, 小华]}

     总结:

        这几个办法都是基于toMap重载方法第三个参数来实现的!至于哪个方法最好,我觉得应该取决于具体业务!

  • 相关阅读:
    Spring Boot 2.x系列【24】应用监控篇之指标Metrics
    LAXCUS授权开源协议
    Opencv实现信用卡识别
    掌握优先级队列:提升效率的关键技巧
    (Note)在Excel中选中某一行至最后一行的快捷键操作
    MIT 6.5840(6.824) Lab3:Raft 设计实现
    Ros2 学习02- ubuntu22.04 安装ros2
    入门力扣自学笔记122 C++ (题目编号768)
    二叉树oj题集(LeetCode)
    java--String
  • 原文地址:https://blog.csdn.net/weixin_70280523/article/details/134469850