我是java 8中的新手,我有Set of Set例如:
Set<Set<String>> aa = new HashSet<>();
Set<String> w1 = new HashSet<>();
w1.add("1111");
w1.add("2222");
w1.add("3333");
Set<String> w2 = new HashSet<>();
w2.add("4444");
w2.add("5555");
w2.add("6666");
Set<String> w3 = new HashSet<>();
w3.add("77777");
w3.add("88888");
w3.add("99999");
aa.add(w1);
aa.add(w2);
aa.add(w3);
预期结果:平面设置......类似于:
但它不起作用!
// HERE I WANT To Convert into FLAT Set
// with the best PERFORMANCE !!
Set<String> flatSet = aa.stream().flatMap(a -> setOfSet.stream().flatMap(ins->ins.stream().collect(Collectors.toSet())).collect(Collectors.toSet()));
有什么想法吗?
答案 0 :(得分:11)
您只需拨打flatMap
一次:
Set<String> flatSet = aa.stream() // returns a Stream<Set<String>>
.flatMap(a -> a.stream()) // flattens the Stream to a
// Stream<String>
.collect(Collectors.toSet()); // collect to a Set<String>
答案 1 :(得分:8)
作为@Eran的正确答案的替代方案,您可以使用3参数collect
:
Set<String> flatSet = aa.stream().collect(HashSet::new, Set::addAll, Set::addAll);