3 回答
TA贡献1811条经验 获得超6个赞
使用Collectors.groupingBy
,您可以生成从键到值列表的映射,前提是您可以根据值计算键。或者,您可以使用Collectors.toMap
,前提是您可以从上游元素计算 Key 和 Value。您可能需要带有合并功能的 toMap 版本,因为这将允许您处理具有相同值的多个键(通过将它们放在一个列表中)。
编辑:如果您想要排序,则toMap和groupingBy
的重载允许您提供 mapFactory ( ) ,例如。Supplier<Map>
TreeMap::new
TA贡献1834条经验 获得超8个赞
请使用 Collectors.groupBy() 查找以下代码:
List<Details> employeeList = Arrays.asList(new Details("Pratik", "Developer"), new Details("Rohit", "Manager"), new Details("Sonal", "Developer"), new Details("Sagar", "Lead"), new Details("Sanket", "Lead"));
Map<String, List<Details>> collect = employeeList.stream().collect(Collectors.groupingBy(x-> x.getDesignation()));
System.out.println("Checking details "+ collect);
TA贡献1818条经验 获得超11个赞
要反转映射,使其不同的值成为键,并将其键添加到相应值下的集合中,请groupingBy()在映射条目上使用。原始映射中的值必须正确实现equals()并hashCode()用作新哈希表中的键,这一点很重要。
static <K, V> Map<V, Set<K>> invert(Map<? extends K, ? extends V> original) {
return original.entrySet().stream()
.collect(Collectors.groupingBy(
Map.Entry::getValue,
Collectors.mapping(Map.Entry::getKey, Collectors.toSet())
));
}
如果你想对组进行排序,你可以创建一个专门的“下游”收集器:
static <K, V> Map<V, SortedSet<K>> invert(
Map<? extends K, ? extends V> original,
Comparator<? super K> order) {
Collector<K, ?, SortedSet<K>> toSortedSet =
Collectors.toCollection(() -> new TreeSet<>(order));
return original.entrySet().stream()
.collect(Collectors.groupingBy(
Map.Entry::getValue,
Collectors.mapping(Map.Entry::getKey, toSortedSet)
));
}
添加回答
举报