我想将列表转换为映射,使用键值只有两个字符串值。 然后作为值只列出包含来自输入列表的奇数或偶数索引位置的元素的字符串。这是旧时尚代码:
Map<String, List<String>> map = new HashMap<>();
List<String> list = Arrays.asList("one", "two", "three", "four");
map.put("evenIndex", new ArrayList<>());
map.put("oddIndex", new ArrayList<>());
for (int i = 0; i < list.size(); i++) {
if(i % 2 == 0)
map.get("evenIndex").add(list.get(i));
else
map.get("oddIndex").add(list.get(i));
}
如何使用流将此代码转换为Java 8以获得此结果?
{evenIndex=[one, three], oddIndex=[two, four]}
我当前的混乱尝试需要修改列表元素,但绝对必须是更好的选择。
List<String> listModified = Arrays.asList("++one", "two", "++three", "four");
map = listModified.stream()
.collect(Collectors.groupingBy(
str -> str.startsWith("++") ? "evenIndex" : "oddIndex"));
也许有人帮我解决了这个错误的解决方案?
IntStream.range(0, list.size())
.boxed()
.collect(Collectors.groupingBy( i -> i % 2 == 0 ? "even" : "odd",
Collectors.toMap( (i -> i ) , i -> list.get(i) ) )));
返回此:
{even={0=one, 2=three}, odd={1=two, 3=four}}
答案 0 :(得分:4)
你在索引上的流式传输正确:
import static java.util.stream.Collectors.groupingBy;
import static java.util.stream.Collectors.mapping;
import static java.util.stream.Collectors.toList;
IntStream.range(0,list.size())
.boxed()
.collect(groupingBy(
i -> i % 2 == 0 ? "even" : "odd",
mapping(list::get, toList())
));
如果您可以使用boolean
将地图编入索引,则可以使用partitioningBy
:
IntStream.range(0, list.size())
.boxed()
.collect(partitioningBy(
i -> i % 2 == 0,
mapping(list::get, toList())
));
答案 1 :(得分:1)
你可以用Collectors.toMap
实现同样的目标;只是为了它的乐趣:
Map<String, List<String>> map = IntStream.range(0, list.size())
.boxed()
.collect(Collectors.toMap(
x -> x % 2 == 0 ? "odd" : "even",
x -> {
List<String> inner = new ArrayList<>();
inner.add(list.get(x));
return inner;
},
(left, right) -> {
left.addAll(right);
return left;
},
HashMap::new));
System.out.println(map);
答案 2 :(得分:0)
List<Integer> list = Arrays.asList(1, 2, 3, 4, 5, 6);
Map<String, Integer> map1 = list.stream().collect(Collectors.groupingBy(e -> e % 2 == 0 ? "EvenSum" : "OddSum", Collectors.summingInt(Integer::intValue)));