我有List<List<String>>
。我想根据内部List的特定元素将其转换为Map。
我尝试了
ddList.stream().flatMap(x -> x.stream()
.collect(Collectors.toMap(Function.identity(), String::length)));
它不起作用。怎么了?
答案 0 :(得分:5)
应该是:
Map<String, Integer> sMap =
ddMap.stream()
.flatMap(x -> x.stream())
.collect(Collectors.toMap(Function.identity(),
String::length));
P.S。如果输入List
包含任何重复的元素,则此代码将引发异常。您可以使用distinct
消除重复项:
Map<String, Integer> sMap =
ddMap.stream()
.flatMap(x -> x.stream())
.distinct()
.collect(Collectors.toMap(Function.identity(),
String::length));
编辑:
根据您的评论,您根本不需要flatMap
,但是需要这样的事情:
Map<String, List<String>> sMap =
ddMap.stream()
.collect(Collectors.toMap(l -> l.get(0), // or some other member
// of the inner List
Function.identity()));