java list stream avg,Java 8 Streams:如何调用Collection.stream()方法并检索具有不同字段的多个聚合值的数组...

I'm starting with the Stream API in Java 8.

Here is my Person object I use:

public class Person {

private String firstName;

private String lastName;

private int age;

private double height;

private double weight;

public Person(String firstName, String lastName, int age, double height, double weight) {

this.firstName = firstName;

this.lastName = lastName;

this.age = age;

this.height = height;

this.weight = weight;

}

public String getFirstName() {

return firstName;

}

public String getLastName() {

return lastName;

}

public int getAge() {

return age;

}

public double getHeight() {

return height;

}

public double getWeight() {

return weight;

}

}

Here is my code which initializes a list of objects Person and which gets the number of objects filtered by a specific firstname, the maximum age and the minimum height, the weight average, and finally create an array of objects containing these values:

List personsList = new ArrayList();

personsList.add(new Person("John", "Doe", 25, 1.80, 80));

personsList.add(new Person("Jane", "Doe", 30, 1.69, 60));

personsList.add(new Person("John", "Smith", 35, 174, 70));

long count = personsList.stream().filter(p -> p.getFirstName().equals("John")).count();

int maxAge = personsList.stream().mapToInt(Person::getAge).max().getAsInt();

double minHeight = personsList.stream().mapToDouble(Person::getHeight).min().getAsDouble();

double avgWeight = personsList.stream().mapToDouble(Person::getWeight).average().getAsDouble();

Object[] result = new Object[] { count, maxAge, minHeight, avgWeight };

System.out.println(Arrays.toString(result));

Is it possible to do a single call to the stream() method and to return the array of objects directly ?

Object[] result = personsList.stream()...count()...max()...min()...average()

I asked very similar question previously: Java 8 Streams: How to call once the Collection.stream() method and retrieve an array of several aggregate values but this time I cannot use the summaryStatistics() method because I use different fields (age, height, weight) to retrieve the aggregate values.

EDIT 2016-01-07

I tested the solutions of TriCore and Tagir Valeev, and I computed the running time for each solution.

It seems that the TriCore solution is more efficient than Tagir Valeev.

Tagir Valeev's solution seems not save much time compared to my solution (using multiple Streams).

Here is my test class:

public class StreamTest {

public static class Person {

private String firstName;

private String lastName;

private int age;

private double height;

private double weight;

public Person(String firstName, String lastName, int age, double height, double weight) {

this.firstName = firstName;

this.lastName = lastName;

this.age = age;

this.height = height;

this.weight = weight;

}

public String getFirstName() {

return firstName;

}

public String getLastName() {

return lastName;

}

public int getAge() {

return age;

}

public double getHeight() {

return height;

}

public double getWeight() {

return weight;

}

}

public static abstract class Process {

public void run() {

StopWatch timer = new StopWatch();

timer.start();

doRun();

timer.stop();

System.out.println(timer.getTime());

}

protected abstract void doRun();

}

public static void main(String[] args) {

List personsList = new ArrayList();

for (int i = 0; i < 1000000; i++) {

int age = random(15, 60);

double height = random(1.50, 2.00);

double weight = random(50.0, 100.0);

personsList.add(new Person(randomString(10, Mode.ALPHA), randomString(10, Mode.ALPHA), age, height, weight));

}

personsList.add(new Person("John", "Doe", 25, 1.80, 80));

personsList.add(new Person("Jane", "Doe", 30, 1.69, 60));

personsList.add(new Person("John", "Smith", 35, 174, 70));

personsList.add(new Person("John", "T", 45, 179, 99));

// Query with mutiple Streams

new Process() {

protected void doRun() {

queryJava8(personsList);

}

}.run();

// Query with 'TriCore' method

new Process() {

protected void doRun() {

queryJava8_1(personsList);

}

}.run();

// Query with 'Tagir Valeev' method

new Process() {

protected void doRun() {

queryJava8_2(personsList);

}

}.run();

}

// --------------------

// JAVA 8

// --------------------

private static void queryJava8(List personsList) {

long count = personsList.stream().filter(p -> p.getFirstName().equals("John")).count();

int maxAge = personsList.stream().mapToInt(Person::getAge).max().getAsInt();

double minHeight = personsList.stream().mapToDouble(Person::getHeight).min().getAsDouble();

double avgWeight = personsList.stream().mapToDouble(Person::getWeight).average().getAsDouble();

Object[] result = new Object[] { count, maxAge, minHeight, avgWeight };

System.out.println("Java8: " + Arrays.toString(result));

}

// --------------------

// JAVA 8_1 - TriCore

// --------------------

private static void queryJava8_1(List personsList) {

Object[] objects = personsList.stream().collect(Collector.of(() -> new PersonStatistics(p -> p.getFirstName().equals("John")),

PersonStatistics::accept, PersonStatistics::combine, PersonStatistics::toStatArray));

System.out.println("Java8_1: " + Arrays.toString(objects));

}

public static class PersonStatistics {

private long firstNameCounter;

private int maxAge = Integer.MIN_VALUE;

private double minHeight = Double.MAX_VALUE;

private double totalWeight;

private long total;

private final Predicate firstNameFilter;

public PersonStatistics(Predicate firstNameFilter) {

Objects.requireNonNull(firstNameFilter);

this.firstNameFilter = firstNameFilter;

}

public void accept(Person p) {

if (this.firstNameFilter.test(p)) {

firstNameCounter++;

}

this.maxAge = Math.max(p.getAge(), maxAge);

this.minHeight = Math.min(p.getHeight(), minHeight);

this.totalWeight += p.getWeight();

this.total++;

}

public PersonStatistics combine(PersonStatistics personStatistics) {

this.firstNameCounter += personStatistics.firstNameCounter;

this.maxAge = Math.max(personStatistics.maxAge, maxAge);

this.minHeight = Math.min(personStatistics.minHeight, minHeight);

this.totalWeight += personStatistics.totalWeight;

this.total += personStatistics.total;

return this;

}

public Object[] toStatArray() {

return new Object[] { firstNameCounter, maxAge, minHeight, total == 0 ? 0 : totalWeight / total };

}

}

// --------------------

// JAVA 8_2 - Tagir Valeev

// --------------------

private static void queryJava8_2(List personsList) {

// @formatter:off

Collector collector = multiCollector(

filtering(p -> p.getFirstName().equals("John"), Collectors.counting()),

Collectors.collectingAndThen(Collectors.mapping(Person::getAge, Collectors.maxBy(Comparator.naturalOrder())), Optional::get),

Collectors.collectingAndThen(Collectors.mapping(Person::getHeight, Collectors.minBy(Comparator.naturalOrder())), Optional::get),

Collectors.averagingDouble(Person::getWeight)

);

// @formatter:on

Object[] result = personsList.stream().collect(collector);

System.out.println("Java8_2: " + Arrays.toString(result));

}

/**

* Returns a collector which combines the results of supplied collectors

* into the Object[] array.

*/

@SafeVarargs

public static Collector multiCollector(Collector... collectors) {

@SuppressWarnings("unchecked")

Collector[] cs = (Collector[]) collectors;

// @formatter:off

return Collector. of(

() -> Stream.of(cs).map(c -> c.supplier().get()).toArray(),

(acc, t) -> IntStream.range(0, acc.length).forEach(

idx -> cs[idx].accumulator().accept(acc[idx], t)),

(acc1, acc2) -> IntStream.range(0, acc1.length)

.mapToObj(idx -> cs[idx].combiner().apply(acc1[idx], acc2[idx])).toArray(),

acc -> IntStream.range(0, acc.length)

.mapToObj(idx -> cs[idx].finisher().apply(acc[idx])).toArray());

// @formatter:on

}

/**

* filtering() collector (which will be added in JDK-9, see JDK-8144675)

*/

public static Collector filtering(Predicate super T> filter, Collector downstream) {

BiConsumer accumulator = downstream.accumulator();

Set characteristics = downstream.characteristics();

return Collector.of(downstream.supplier(), (acc, t) -> {

if (filter.test(t))

accumulator.accept(acc, t);

} , downstream.combiner(), downstream.finisher(), characteristics.toArray(new Collector.Characteristics[characteristics.size()]));

}

// --------------------

// HELPER METHODS

// --------------------

public static enum Mode {

ALPHA,

ALPHANUMERIC,

NUMERIC

}

private static String randomString(int length, Mode mode) {

StringBuffer buffer = new StringBuffer();

String characters = "";

switch (mode) {

case ALPHA:

characters = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ";

break;

case ALPHANUMERIC:

characters = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ1234567890";

break;

case NUMERIC:

characters = "1234567890";

break;

}

int charactersLength = characters.length();

for (int i = 0; i < length; i++) {

double index = Math.random() * charactersLength;

buffer.append(characters.charAt((int) index));

}

return buffer.toString();

}

private static int random(int min, int max) {

Random rand = new Random();

return rand.nextInt((max - min) + 1) + min;

}

private static double random(double min, double max) {

return min + Math.random() * (max - min);

}

}

解决方案

Here is the collector

public class PersonStatistics {

private long firstNameCounter;

private int maxAge = Integer.MIN_VALUE;

private double minHeight = Double.MAX_VALUE;

private double totalWeight;

private long total;

private final Predicate firstNameFilter;

public PersonStatistics(Predicate firstNameFilter) {

Objects.requireNonNull(firstNameFilter);

this.firstNameFilter = firstNameFilter;

}

public void accept(Person p) {

if (this.firstNameFilter.test(p)) {

firstNameCounter++;

}

this.maxAge = Math.max(p.getAge(), maxAge);

this.minHeight = Math.min(p.getHeight(), minHeight);

this.totalWeight += p.getWeight();

this.total++;

}

public PersonStatistics combine(PersonStatistics personStatistics) {

this.firstNameCounter += personStatistics.firstNameCounter;

this.maxAge = Math.max(personStatistics.maxAge, maxAge);

this.minHeight = Math.min(personStatistics.minHeight, minHeight);

this.totalWeight += personStatistics.totalWeight;

this.total += personStatistics.total;

return this;

}

public Object[] toStatArray() {

return new Object[]{firstNameCounter, maxAge, minHeight, total == 0 ? 0 : totalWeight / total};

}

}

You can use this collector as follows

public class PersonMain {

public static void main(String[] args) {

List personsList = new ArrayList<>();

personsList.add(new Person("John", "Doe", 25, 180, 80));

personsList.add(new Person("Jane", "Doe", 30, 169, 60));

personsList.add(new Person("John", "Smith", 35, 174, 70));

personsList.add(new Person("John", "T", 45, 179, 99));

Object[] objects = personsList.stream().collect(Collector.of(

() -> new PersonStatistics(p -> p.getFirstName().equals("John")),

PersonStatistics::accept,

PersonStatistics::combine,

PersonStatistics::toStatArray));

System.out.println(Arrays.toString(objects));

}

}

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值