我如何使用Java Streams执行以下操作?
假设我有以下课程:
class Foo {
Bar b;
}
class Bar {
String id;
String date;
}
我有List<Foo>
,我想将其转换为Map <Foo.b.id, Map<Foo.b.date, Foo>
。 I.e:首先按Foo.b.id
分组,然后按Foo.b.date
分组。
我正在努力采用以下两步法,但第二步甚至没有编译:
Map<String, List<Foo>> groupById =
myList
.stream()
.collect(
Collectors.groupingBy(
foo -> foo.getBar().getId()
)
);
Map<String, Map<String, Foo>> output = groupById.entrySet()
.stream()
.map(
entry -> entry.getKey(),
entry -> entry.getValue()
.stream()
.collect(
Collectors.groupingBy(
bar -> bar.getDate()
)
)
);
提前致谢。
答案 0 :(得分:35)
您可以一次性对数据进行分组,假设只有不同的Foo
:
Map<String, Map<String, Foo>> map = list.stream()
.collect(Collectors.groupingBy(f -> f.b.id,
Collectors.toMap(f -> f.b.date, Function.identity())));
使用静态导入保存一些字符:
Map<String, Map<String, Foo>> map = list.stream()
.collect(groupingBy(f -> f.b.id, toMap(f -> f.b.date, identity())));
答案 1 :(得分:2)
假设(b.id, b.date)
对是不同的。如果是这样,
在第二步中,您不需要分组,只需收集到Map
,其中密钥为foo.b.date
,值为foo
本身:
Map<String, Map<String, Foo>> map =
myList.stream()
.collect(Collectors.groupingBy(f -> f.b.id)) // map {Foo.b.id -> List<Foo>}
.entrySet().stream()
.collect(Collectors.toMap(e -> e.getKey(), // id
e -> e.getValue().stream() // stream of foos
.collect(Collectors.toMap(f -> f.b.date,
f -> f))));
甚至更简单:
Map<String, Map<String, Foo>> map =
myList.stream()
.collect(Collectors.groupingBy(f -> f.b.id,
Collectors.toMap(f -> f.b.date,
f -> f)));
答案 2 :(得分:1)
另一种方法是支持密钥Bar
:
class Bar {
String id;
String date;
public boolean equals(Object o){
if (o == null) return false;
if (!o.getClass().equals(getClass())) return false;
Bar other = (Bar)o;
return Objects.equals(o.id, id) && Objects.equals(o.date, date);
}
public int hashCode(){
return id.hashCode*31 + date.hashCode;
}
}
现在你可以拥有Map<Bar, Foo>
。