Bean列表根据Bean的某个属性去重

/**
 * Bean列表根据Bean的某个属性去重
 */
public static List<Person> distinctByName(List<Person> list) {
    return list.stream().filter(distinctByKey(Person::getName)).toList();
}

/**
 * Bean列表根据Bean的某个属性去重
 */
public static <T> Predicate<T> distinctByKey(Function<? super T, ?> function) {
    Map<Object, Boolean> map = new ConcurrentHashMap<>();
    // map.putIfAbsent,先判断指定的key是否存在
    // 如果所指定的key已经在HashMap中存在,则返回和这个key值对应的value,
    // 如果所指定的key在HashMap中不存在,则返回null,然后将键/值对插入到HashMap中
    // 注意:如果指定key之前已经和一个null值相关联了,则该方法也返回null,此时无法确认是不存在这个key,还是存在这个key只是value为null.
    return item -> map.putIfAbsent(function.apply(item), Boolean.TRUE) == null;
}
List<Person> persons = new ArrayList<Person>();
persons.add(new Person("John", 11, "boy"));
persons.add(new Person("John1", 11, "boy"));
persons.add(new Person("John1", 11, "boy"));
persons.add(new Person("John1", 11, "boy"));
persons.add(new Person("John1", 11, "boy"));
persons.add(new Person("John1", 11, "boy"));
persons.add(new Person("John1", 11, "boy"));
persons.add(new Person("John1", 11, "boy "));
List<Person> people = distinctByName(persons);
System.out.println(people);

[Person(name=John, age=11, number=boy), Person(name=John1, age=11, number=boy)]

理解put和putIfAbsent的返回值

Map<Object, Boolean> map = new HashMap<>();
System.out.println(map); // {}

Boolean value1 = map.putIfAbsent("key1", true);
System.out.println(value1); // null, map不存在key1故返回null

System.out.println(map); // {value=true}
Boolean value2 = map.put("key2", true); // null key2上个值为null,故返回null

System.out.println(value2);
System.out.println(map); // {key1=true, key2=true}

Boolean value3 = map.put("key2", null); // true key2上个值为true,故返回true
System.out.println(value3);
System.out.println(map); // {key1=true, key2=null}

Boolean value4 = map.putIfAbsent("key2", null); // map存在key2=null,故返回null
System.out.println(value4); // null
System.out.println(map); // {key1=true, key2=null}

Boolean value5= map.putIfAbsent("key3", true); // map存在key3,故返回null
System.out.println(value5); // null
System.out.println(map); // {key1=true, key2=null, key3=true}
// 注意:如果指定key之前已经和一个null值相关联了,则该方法也返回null,此时无法确认是不存在这个key,还是存在这个key只是value为null.如value4和value5

你可能感兴趣的:(JAVA8,java,开发语言)