使用嵌套收集器的 Java 8 多级分组
多级分组,也称为嵌套分组,涉及通过多个键聚合数据跨越嵌套对象层次结构的不同级别。在 Java 8 中,您可以借助嵌套收集器来实现此目的。
考虑一个场景,其中您有 Pojo、Item 和 SubItem 等类,其中每个 Pojo 都有一个 Items 列表,每个 Item 都有一个子项目列表。目标是按 Items 的 key1 字段对 Items 进行分组,并针对每个组,按其 key2 字段进一步聚合 SubItems。
要执行此嵌套分组,您可以使用具有嵌套结构的 Collectors.groupingBy:
<code class="java">pojo.getItems() .stream() .collect( Collectors.groupingBy(Item::getKey1, **// How to group by SubItem::getKey2 here**));</code>
问题在于 Collectors.groupingBy 的第二个参数 - 如何在每个 key1 组中按 key2 对 SubItems 进行分组。该解决方案无法利用级联 groupingBy,因为它仅按同一对象中的字段进行分组。
答案涉及使用 Stream.flatMap 创建键值对流,其中键是 Item.key1,值为 SubItem.key2。然后使用 Collectors.groupingBy 对该流进行分组,以实现所需的嵌套分组:
<code class="java">Map<T, Map<V, List<SubItem>>> result = pojo.getItems().stream() .flatMap(item -> item.getSubItems().stream() .map(sub -> new AbstractMap.SimpleImmutableEntry<>(item.getKey1(), sub))) .collect(Collectors.groupingBy(AbstractMap.SimpleImmutableEntry::getKey, Collectors.mapping(Map.Entry::getValue, Collectors.groupingBy(SubItem::getKey2))));</code>
或者,使用 Java 9 的 Collectors.flatMapping,解决方案简化为:
<code class="java">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))));</code>
以上是如何使用收集器按多个键对 Java 8 嵌套对象进行分组?的详细内容。更多信息请关注PHP中文网其他相关文章!