鉴于我们有以下功能:
WeekStartDate WeekEndDate MonthStartDate MonthEndDate
2015-01-04 00:00:00.000 2015-01-10 00:00:00.000 2015-01-04 00:00:00.000 2015-01-31 00:00:00.000
2015-01-11 00:00:00.000 2015-01-17 00:00:00.000 2015-01-04 00:00:00.000 2015-01-31 00:00:00.000
2015-01-18 00:00:00.000 2015-01-24 00:00:00.000 2015-01-04 00:00:00.000 2015-01-31 00:00:00.000
2015-01-25 00:00:00.000 2015-01-31 00:00:00.000 2015-01-04 00:00:00.000 2015-01-31 00:00:00.000
有什么方法可以通过将public Map<String, List<String>> mapListIt(List<Map<String, String>> input) {
Map<String, List<String>> results = new HashMap<>();
List<String> things = Arrays.asList("foo", "bar", "baz");
for (String thing : things) {
results.put(thing, input.stream()
.map(element -> element.get("id"))
.collect(Collectors.toList()));
}
return results;
}
绑定到"id"
方法引用来清理它吗?
是否有更流媒体的方式来编写此功能?
答案 0 :(得分:4)
据我所知,你的意思是这个函数将一个定义的字符串列表中的一个映射返回到一个带有键&#34; id&#34;的所有元素的列表。在输入映射列表中。那是对的吗?
如果是这样,它可以大大简化,因为所有键的值都是相同的:
public Map<String, List<String>> weirdMapFunction(List<Map<String, String>> inputMaps) {
List<String> ids = inputMaps.stream()
.map(m -> m.get("id")).collect(Collectors.toList());
return Stream.of("foo", "bar", "baz")
.collect(Collectors.toMap(Function.identity(), s -> ids));
}
如果您希望使用方法参考(这是我对您关于&#39;绑定&#39;的问题的解释),那么您将需要一个单独的方法来引用:
private String getId(Map<String, String> map) {
return map.get("id");
}
public Map<String, List<String>> weirdMapFunction(List<Map<String, String>> inputMaps) {
List<String> ids = inputMaps.stream()
.map(this::getId).collect(Collectors.toList());
return Stream.of("foo", "bar", "baz")
.collect(Collectors.toMap(Function.identity(), s -> ids));
}
但是我猜你打算用列表中的项目作为键(而不是&#34; id&#34;),在这种情况下:
public Map<String, List<String>> weirdMapFunction(List<Map<String, String>> inputMaps) {
return Stream.of("foo", "bar", "baz")
.collect(Collectors.toMap(Function.identity(), s -> inputMaps.stream()
.map(m -> m.get(s)).collect(Collectors.toList())));
}