stream().reduce方法详解+示例
时间: 2023-12-23 18:05:29 浏览: 57
JS数组方法reduce的用法实例分析
`reduce()` 方法是 Java 8 中 Stream API 的一个重要方法,它允许我们通过聚合操作将 Stream 元素合并为单个结果。该方法有两个版本:有参数的 `reduce()` 和无参数的 `reduce()`。下面分别介绍它们。
### 有参数的 reduce()
有参数的 `reduce()` 方法的签名如下:
```
T reduce(T identity, BinaryOperator<T> accumulator)
```
其中,`identity` 是一个起始值,`accumulator` 是一个二元操作符,它接受两个参数并返回一个结果。该方法的作用是将 Stream 中的元素与起始值进行聚合,聚合方式由 `accumulator` 决定。
下面是一个示例代码:
```java
List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5);
int sum = numbers.stream().reduce(0, (a, b) -> a + b);
System.out.println(sum); // 输出 15
```
该示例中,我们使用 `reduce()` 方法将一个包含 5 个整数的 Stream 聚合为一个整数。起始值为 0,二元操作符为加法运算符,计算结果为 1+2+3+4+5=15。
### 无参数的 reduce()
无参数的 `reduce()` 方法的签名如下:
```
Optional<T> reduce(BinaryOperator<T> accumulator)
```
该方法没有起始值,返回一个 Optional 对象,其中包含聚合结果。如果 Stream 是空的,该方法返回一个空的 Optional。
下面是一个示例代码:
```java
List<Integer> numbers = Arrays.asList(1, 2, 3, 4, 5);
Optional<Integer> max = numbers.stream().reduce(Integer::max);
System.out.println(max); // 输出 Optional[5]
```
该示例中,我们使用 `reduce()` 方法将一个包含 5 个整数的 Stream 聚合为一个最大值。由于没有起始值,我们使用 `Integer::max` 作为二元操作符。计算结果为 5。
总之,`reduce()` 方法是 Stream API 中的一个重要方法,它允许我们将 Stream 中的元素聚合为单个结果,并支持有参数和无参数两种形式。
阅读全文