LongStream findAny() 与示例
LongStream findAny()返回描述流的某些元素的OptionalLong (可能包含或不包含非空值的容器对象),如果流为空,则返回空的 OptionalLong。
句法 :
OptionalLong findAny()
参数 :
- OptionalLong :一个容器对象,它可能包含也可能不包含非空值。
返回值:该函数返回一个描述此流的某些元素的 OptionalLong,如果流为空,则返回一个空的 OptionalLong。
注意: findAny() 是 Stream 接口的终端短路操作。此方法返回满足中间操作的任何第一个元素。这是一个短路操作,因为它只需要返回“任何”第一个元素并终止其余的迭代。
示例 1:长流上的 findAny() 方法。
// Java code for LongStream findAny()
// which returns an OptionalLong describing
// some element of the stream, or an
// empty OptionalLong if the stream is empty.
import java.util.*;
import java.util.stream.LongStream;
class GFG {
// Driver code
public static void main(String[] args)
{
// Creating an LongStream
LongStream stream = LongStream.of(6L, 7L, 8L, 9L);
// Using LongStream findAny() to return
// an OptionalLong describing some element
// of the stream
OptionalLong answer = stream.findAny();
// if the stream is empty, an empty
// OptionalLong is returned.
if (answer.isPresent()) {
System.out.println(answer.getAsLong());
}
else {
System.out.println("no value");
}
}
}
输出 :
6
注意: LongStream findAny() 操作的行为是明确的非确定性的,即可以自由选择流中的任何元素。对同一源的多次调用可能不会返回相同的结果。
示例 2: findAny() 方法以不确定的方式返回可被 4 整除的元素。
// Java code for LongStream findAny()
// which returns an OptionalLong describing
// some element of the stream, or an
// empty OptionalLong if the stream is empty.
import java.util.OptionalLong;
import java.util.stream.LongStream;
class GFG {
// Driver code
public static void main(String[] args)
{
// Creating an LongStream
LongStream stream = LongStream.of(4L, 5L, 8L, 10L, 12L, 16L)
.parallel();
// Using LongStream findAny().
// Executing the source code multiple times
// may not return the same result.
// Every time you may get a different
// value which is divisible by 4.
stream = stream.filter(num -> num % 4 == 0);
OptionalLong answer = stream.findAny();
if (answer.isPresent()) {
System.out.println(answer.getAsLong());
}
}
}
输出 :
16