12

我有以下课程。

class Person {

    String name;
    LocalDate birthday;
    Sex gender;
    String emailAddress;

    public int getAge() {
        return birthday.until(IsoChronology.INSTANCE.dateNow()).getYears();
    }

    public String getName() {
        return name;
    }
}

我希望能够按年龄分组,然后收集人名列表而不是 Person 对象本身;全部在一个漂亮的lamba表达式中。

为了简化所有这些,我将链接我当前的解决方案,该解决方案存储按年龄分组的结果,然后对其进行迭代以收集名称。

ArrayList<OtherPerson> members = new ArrayList<>();

members.add(new OtherPerson("Fred", IsoChronology.INSTANCE.date(1980, 6, 20), OtherPerson.Sex.MALE, "fred@example.com"));
members.add(new OtherPerson("Jane", IsoChronology.INSTANCE.date(1990, 7, 15), OtherPerson.Sex.FEMALE, "jane@example.com"));
members.add(new OtherPerson("Mark", IsoChronology.INSTANCE.date(1990, 7, 15), OtherPerson.Sex.MALE, "mark@example.com"));
members.add(new OtherPerson("George", IsoChronology.INSTANCE.date(1991, 8, 13), OtherPerson.Sex.MALE, "george@example.com"));
members.add(new OtherPerson("Bob", IsoChronology.INSTANCE.date(2000, 9, 12), OtherPerson.Sex.MALE, "bob@example.com"));

Map<Integer, List<Person>> collect = members.stream().collect(groupingBy(Person::getAge));

Map<Integer, List<String>> result = new HashMap<>();

collect.keySet().forEach(key -> {
            result.put(key, collect.get(key).stream().map(Person::getName).collect(toList()));
});

当前解决方案

不理想,为了学习,我希望有一个更优雅和执行的解决方案。

4

3 回答 3

17

使用 对 Stream 进行分组时Collectors.groupingBy,您可以使用自定义 对值指定归约操作Collector。在这里,我们需要使用Collectors.mapping,它接受一个函数(映射是什么)和一个收集器(如何收集映射的值)。在这种情况下,映射是Person::getName,即返回 Person 名称的方法引用,我们将其收集到List.

Map<Integer, List<String>> collect = 
    members.stream()
           .collect(Collectors.groupingBy(
               Person::getAge,
               Collectors.mapping(Person::getName, Collectors.toList()))
           );
于 2015-10-26T12:16:07.027 回答
2

您可以使用 amapping Collector将列表映射Person到人名列表:

Map<Integer, List<String>> collect = 
    members.stream()
           .collect(Collectors.groupingBy(Person::getAge,
                                          Collectors.mapping(Person::getName, Collectors.toList())));
于 2015-10-26T12:10:51.157 回答
1

您还可以使用 Collectors.toMap 并为键、值和合并函数(如果有)提供映射。

Map<Integer, String> ageNameMap = 
    members.stream()
            .collect(Collectors.toMap(
              person -> person.getAge(), 
              person -> person.getName(), (pName1, pName2) -> pName1+"|"+pName2)
    );
于 2016-06-08T02:04:53.470 回答