一、项目需求描述
出于项目需要,有一个list,实体包含多个字段,当其中两个字段相同均相同时,就认为list中的两条记录是一样的,本来想通过分组实现,java8的分组只提供根据一个字段分组,只好另寻他路,java8有一个collectingAndThen可以根据多个字段去重,因为我们的需求是可以去重之后操作,因此采用这种方式。
二、分组及去重
分组
classEntities.stream().collect(Collectors.groupingBy(ClassEntity::getGrade));
java8去重(根据年级和专业,当年级和专业都相同的情况下看做是重复数据)
List<ClassEntity> distinctClass = classEntities.stream().collect(
Collectors.collectingAndThen(
Collectors.toCollection(
() -> new TreeSet<>(
Comparator.comparing(
o -> o.getProfessionId() + ";" + o.getGrade()))), ArrayList::new));
通过hashSet去重(如将classNames去重):该种去重是bean完全相同的时候算重复数据
List<String> classNameList = new ArrayList(new HashSet(classNames));
三、去重
实体类
public class Person {
private String id;
private String name;
public Person(String id, String name) {
this.id = id;
this.name = name;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
}
根据Person对象的id属性去重
public class MainTest {
public static void main(String[] args) {
List<Person> list = new ArrayList<Person>();
Person p1 = new Person("1", "123");
Person p2 = new Person("2", "123");
Person p3 = new Person("1", "456");
list.add(p1);
list.add(p2);
list.add(p3);
List<Person> result = list.stream().collect(
Collectors.collectingAndThen(
Collectors.toCollection(
() -> new TreeSet<Person>(Comparator.comparing(p -> p.getId()))),ArrayList::new));
for (Person person : result) {
System.out.println(person.getId() + " " + person.getName());
}
}
}