我有一个HashMap<Integer, Set<Integer>>.
我想将地图中的Collection
设置为列表列表。
例如:
import java.util.*;
import java.util.stream.*;
public class Example {
public static void main( String[] args ) {
Map<Integer,Set<Integer>> map = new HashMap<>();
Set<Integer> set1 = Stream.of(1,2,3).collect(Collectors.toSet());
Set<Integer> set2 = Stream.of(1,2).collect(Collectors.toSet());
map.put(1,set1);
map.put(2,set2);
//I tried to get the collection as a first step
Collection<Set<Integer>> collectionOfSets = map.values();
// I neeed List<List<Integer>> list = ......
//so the list should contains[[1,2,3],[1,2]]
}
}
答案 0 :(得分:6)
map.values()
.stream()
.map(ArrayList::new)
.collect(Collectors.toList());
您的起步很好:首先开始map.values()
。现在,如果您进行流传输,则Stream中的每个元素都将是Collection<Integer>
(每个独立的值);并且您想要将每个值转换为List
。在这种情况下,我提供了一个ArrayList
,它的构造函数接受Collection
,因此,ArrayList::new
方法引用用法。最后,所有这些单独的值(一旦转换为List
)都将通过List
收集到新的Collectors.toList()
答案 1 :(得分:4)
一种没有流的方式:
List<List<Integer>> listOfLists = new ArrayList<>(map.size());
map.values().forEach(set -> listOfLists.add(new ArrayList<>(set)));
答案 2 :(得分:3)
map
从Set<String>
到ArrayList<String>
,然后collect
到列表:
List<List<Integer>> result = map.values() // Collection<Set<String>>
.stream() // Stream<Set<String>>
.map(ArrayList::new) // Stream<ArrayList<String>>
.collect(toList()); // List<List<String>>