使用巢狀收集器的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中文網其他相關文章!