Java 8 流分组依据
Java 8 Stream groupingby
我有List<Map<String, String>>
列表中的每一项都是一张地图,例如
companyName - IBM
firstName - James
country - USA
...
我想创建一个 Map<String, List<String>>
,它将 companyName 映射到 firstName 的列表
例如
IBM -> James, Mark
ATT -> Henry, Robert..
private Map<String,List<String>> groupByCompanyName(List<Map<String, String>> list) {
return list.stream().collect(Collectors.groupingBy(item->item.get("companyName")));
}
但这将创建 Map<String, List<Map<String, String>>
(将 comanyName 映射到映射列表)
如何创建 Map<String, List<String>>
?
您可以使用以下表格:
groupingBy(Function<? super T,? extends K> classifier, Collector<? super T,A,D> downstream)
即指定下游地图中的值作为列表。该文档有很好的示例 (here)。
downstream
就像 - mapping(item->item.get(<name>), toList())
还没有测试过,但是像这样的东西应该可以工作:
Map<String, List<String>> namesByCompany
= list.stream()
.collect(Collectors.groupingBy(item->item.get("companyName"),
Collectors.mapping(item->item.get("firstName"), Collectors.toList())));
groupingBy 方法生成一个值为列表的映射。如果您想以某种方式处理这些列表,请提供 "downstream collector"
在您的情况下,您不希望将 List 作为值,因此您需要提供下游收集器。
要操作Map,可以使用Collectors文件中的静态方法映射:
Collector<T, ?, R> mapping(Function<? super T, ? extends U> mapper,
Collector<? super U, A, R> downstream)
它基本上是通过对下游结果应用一个函数来生成一个收集器,并将该函数传递给另一个收集器。
Collectors.mapping(item->item.get("firstName"), Collectors.toList())
这将 return 一个下游收集器,它将实现您想要的。
我有List<Map<String, String>>
列表中的每一项都是一张地图,例如
companyName - IBM
firstName - James
country - USA
...
我想创建一个 Map<String, List<String>>
,它将 companyName 映射到 firstName 的列表
例如
IBM -> James, Mark
ATT -> Henry, Robert..
private Map<String,List<String>> groupByCompanyName(List<Map<String, String>> list) {
return list.stream().collect(Collectors.groupingBy(item->item.get("companyName")));
}
但这将创建 Map<String, List<Map<String, String>>
(将 comanyName 映射到映射列表)
如何创建 Map<String, List<String>>
?
您可以使用以下表格:
groupingBy(Function<? super T,? extends K> classifier, Collector<? super T,A,D> downstream)
即指定下游地图中的值作为列表。该文档有很好的示例 (here)。
downstream
就像 - mapping(item->item.get(<name>), toList())
还没有测试过,但是像这样的东西应该可以工作:
Map<String, List<String>> namesByCompany
= list.stream()
.collect(Collectors.groupingBy(item->item.get("companyName"),
Collectors.mapping(item->item.get("firstName"), Collectors.toList())));
groupingBy 方法生成一个值为列表的映射。如果您想以某种方式处理这些列表,请提供 "downstream collector" 在您的情况下,您不希望将 List 作为值,因此您需要提供下游收集器。
要操作Map,可以使用Collectors文件中的静态方法映射:
Collector<T, ?, R> mapping(Function<? super T, ? extends U> mapper,
Collector<? super U, A, R> downstream)
它基本上是通过对下游结果应用一个函数来生成一个收集器,并将该函数传递给另一个收集器。
Collectors.mapping(item->item.get("firstName"), Collectors.toList())
这将 return 一个下游收集器,它将实现您想要的。