开发中比较两个集合的不同点,例如需要对于两个集合取差集,下面列举了几种方式。
List list1 = Arrays.asList("a", "b", "c", "d"); List list2 = Arrays.asList("c", "d", "e", "f"); // 获取差集 List difference1 = list1.stream() .filter(element -> !list2.contains(element)) .collect(Collectors.toList()); // 获取list2中不在list1的元素 List difference2 = list2.stream() .filter(element -> !list1.contains(element)) .collect(Collectors.toList());
// 根据集合中对象的name属性来过滤 public void testStreamNoneMatch(List originalDto, List newDto) { List boy = originalDto.stream() .filter(item -> item.getGender() == 1 && newDto.stream().anyMatch(dto -> dto.getName().equals(item.getName()))).collect(Collectors.toList()); log.info("性别为男生,且名字相同的人员为{}", JSONObject.toJSONString(boy)); }
List list1Copy = new ArrayList<>(list1); List list2Copy = new ArrayList<>(list2); // 获取list1中不在list2的元素 list1Copy.removeAll(list2); List difference1 = list1Copy; // 获取list2中不在list1的元素 list2Copy.removeAll(list1); List difference2 = list2Copy;
List list1 = ...; List list2 = ...; // 获取list1中不在list2的元素 Set set1 = Sets.newHashSet(list1); Set set2 = Sets.newHashSet(list2); Set difference1 = Sets.difference(set1, set2); // 获取list2中不在list1的元素 Set difference2 = Sets.difference(set2, set1);
List list1 = ...; List list2 = ...; // 获取list1中不在list2的元素 List difference1 = ListUtils.subtract(list1, list2); // 获取list2中不在list1的元素 List difference2 = ListUtils.subtract(list2, list1);
注意:方式有很多,大家可根据项目需求和已引入的库,选择合适的方法来计算集合的差集。
有更好的方式或想法,欢迎大家评论区留言,互相学习~