猿问

一次性收集 Java Stream 的平均值

我正在尝试找到如何收集一个衬里中的对象列表中每个字段的平均值。


这是我正在尝试执行的操作:


public class Value {

  int a;

  int b;

  int c;

  // rest of the class

}

现在假设我有List<Value> values = getMillionValues();


我知道要获得一个字段的平均值,我可以执行以下操作:


int averageOfA = values.stream().mapToInt(Value::getA).average()

我需要做什么才能获得每个变量上面没有重复行的所有值的平均值?


也许还有其他一些库,例如 Guava,可以帮助执行此类操作?


PIPIONE
浏览 121回答 1
1回答

心有法竹

说真的,使用 for 循环。int count = 0, sumA = 0, sumB = 0, sumC = 0;for (Value v : values) {&nbsp; &nbsp; sumA += v.getA();&nbsp; &nbsp; sumB += v.getB();&nbsp; &nbsp; sumC += v.getC();&nbsp; &nbsp; count++;}double avgA = ((double) sumA) / count;double avgB = ((double) sumB) / count;double avgC = ((double) sumC) / count;说真的,使用上面的代码。话虽如此,您应该使用上面的代码,但您可以使用流来完成。您需要一些值持有者(平均值是 a double,因此您的Value类无法存储平均值):class AveragesResult {&nbsp; &nbsp; public final double a, b, c;&nbsp; &nbsp; public AveragesResult(double a, double b, double c) {&nbsp; &nbsp; &nbsp; &nbsp; this.a = a;&nbsp; &nbsp; &nbsp; &nbsp; this.b = b;&nbsp; &nbsp; &nbsp; &nbsp; this.c = c;&nbsp; &nbsp; }}class AveragesIntermediate {&nbsp; &nbsp; public final double a, b;&nbsp; &nbsp; public AverageIntermediate(double a, double b) {&nbsp; &nbsp; &nbsp; &nbsp; this.a = a;&nbsp; &nbsp; &nbsp; &nbsp; this.b = b;&nbsp; &nbsp; }}现在我们已经有了样板文件(为了更好地衡量,您应该实现hashCode、equalsand toString,并添加一些 getter),我们终于可以以简短而紧凑的方式编写流:values.stream().collect(teeing(&nbsp; &nbsp;teeing(averagingInt(Value::getA), averagingInt(Value::getB), AveragesIntermediate::new),&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; averagingInt(Value::getC),&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; (ir, avgC) -> new AveragesResult(ir.a, ir.b, avgC));那不是很难吗?确保您已静态导入所有 Collector 函数(所有这些函数看起来都很难看Collectors.)并且您使用的Collectors.teeing是 Java 12(Java 12 中的新增功能)。不要使用它,使用一个好的旧for循环。
随时随地看视频慕课网APP

相关分类

Java
我要回答