Java 8嵌套(多级)组

时间:2016-08-24 18:01:11

标签: java collections lambda java-8 java-stream

我的课程很少,如下所示

class Pojo {
    List<Item> items;
}

class Item {
    T key1;
    List<SubItem> subItems;
}

class SubItem {
    V key2;
    Object otherAttribute1;
}

我想根据key1汇总项目,对于每个汇总,子项目应按以下方式由key2汇总:

Map<T, Map<V, List<Subitem>>

Java 8 Collectors.groupingBy嵌套是如何实现的?

我正在尝试一些东西并且在中途停留

pojo.getItems()
    .stream()
    .collect(
        Collectors.groupingBy(Item::getKey1, /* How to group by here SubItem::getKey2*/)
    );

注意:这与级联groupingBy不同,后者基于与所讨论的同一对象中的字段进行多级聚合here

1 个答案:

答案 0 :(得分:18)

您不能按多个键对单个项目进行分组,除非您接受该项目可能出现在多个组中。在这种情况下,您希望执行一种flatMap操作。

实现此目的的一种方法是在收集之前使用Stream.flatMap一个包含ItemSubItem组合的临时对。由于缺少标准对类型,典型的解决方案是使用Map.Entry

Map<T, Map<V, List<SubItem>>> result = pojo.getItems().stream()
    .flatMap(item -> item.subItems.stream()
        .map(sub -> new AbstractMap.SimpleImmutableEntry<>(item, sub)))
    .collect(Collectors.groupingBy(e -> e.getKey().getKey1(),
                Collectors.mapping(Map.Entry::getValue,
                    Collectors.groupingBy(SubItem::getKey2))));

不需要这些临时对象的替代方法是在收集器中执行flatMap操作权限,但遗憾的是,{J}将在Java 9之前不存在。

有了这个,解决方案看起来像

Map<T, Map<V, List<SubItem>>> result = pojo.getItems().stream()
    .collect(Collectors.groupingBy(Item::getKey1,
                Collectors.flatMapping(item -> item.getSubItems().stream(),
                    Collectors.groupingBy(SubItem::getKey2))));

如果我们不想等待Java 9,我们可能会在我们的代码库中添加一个类似的收集器,因为它实现起来并不难:

static <T,U,A,R> Collector<T,?,R> flatMapping(
    Function<? super T,? extends Stream<? extends U>> mapper,
    Collector<? super U,A,R> downstream) {

    BiConsumer<A, ? super U> acc = downstream.accumulator();
    return Collector.of(downstream.supplier(),
        (a, t) -> { try(Stream<? extends U> s=mapper.apply(t)) {
            if(s!=null) s.forEachOrdered(u -> acc.accept(a, u));
        }},
        downstream.combiner(), downstream.finisher(),
        downstream.characteristics().toArray(new Collector.Characteristics[0]));
}