保留原始对象以结束地图和过滤器链

问题描述 投票:3回答:2

给出以下代码

List<Double> radia = Arrays.asList(1.0, 1.3, 1.6, 1.9);
List<Ball> listOfBalls = new ArrayList<>();        
radia.forEach(radius -> listOfBalls.add(new Ball(radius)));

listOfBalls.stream().map(b -> b.getVolume())
                        .filter(d -> d>10)
                        .forEach(d -> pprint(d));

如何保留最后一个forEach中正在打印的Ball?我希望能够打印出类似的东西

"Ball with radius " b.getRadius() + " has volume" + d
lambda java-8
2个回答
3
投票

由于lambda不能分配给其范围之外的变量,因此您必须使用较高范围内的对象来存储结果。

需要注意的是,这不是lambdas或流API的预期用途。如果您正在寻找单个最终结果,您应该像这样使用findFirstfindAny

listOfBalls.stream().map(Ball::getVolume)
                        .filter(d -> d>10)
                        .findFirst();

如果你正在寻找ListBalls然后像这样使用Collectors.toList()

List<Ball> result = listOfBalls.stream().map(Ball::getVolume)
                        .filter(d -> d>10)
                        .collect(Collectors.toList());

此时,您可以遍历列表并输出您想要的内容。流在运行时消耗,这意味着在调用forEach后不能使用它们,列表不受此限制的约束。


0
投票

你可以通过不将每个Ball映射到它的音量来实现你想要的,然后根据需要进行过滤:

listOfBalls.stream()
    .filter(b -> b.getVolume() > 10)
    .forEach(b -> System.out.println(
         "Ball with radius " + b.getRadius() + " has volume " + b.getVolume()));

根据the comment编辑:

如果不需要两次调用Ball.getVolume方法(由于昂贵的计算或DB访问),您可以将该方法的结果与流中相应的Ball实例一起传递。如果您使用的是Java 9+:

listOfBalls.stream()
    .map(b -> Map.entry(b, b.getVolume())) // perform expensive call here
    .filter(e -> e.getValue() > 10)
    .forEach(e -> System.out.println(
         "Ball with radius " + e.getKey().getRadius() + " has volume " + b.getValue()));

如果您使用的是Java 8,则可以使用new AbstractMap.SimpleEntry<>(...)而不是Map.entry(...)

© www.soinside.com 2019 - 2024. All rights reserved.