Group by and sum objects like in SQL with Java lambdas?

JavaLambdaJava 8Java Stream

Java Problem Overview


I have a class Foo with these fields:

> id:int / name;String / targetCost:BigDecimal / actualCost:BigDecimal

I get an arraylist of objects of this class. e.g.:

new Foo(1, "P1", 300, 400), 
new Foo(2, "P2", 600, 400),
new Foo(3, "P3", 30, 20),
new Foo(3, "P3", 70, 20),
new Foo(1, "P1", 360, 40),
new Foo(4, "P4", 320, 200),
new Foo(4, "P4", 500, 900)

I want to transform these values by creating a sum of "targetCost" and "actualCost" and grouping the "row" e.g.

new Foo(1, "P1", 660, 440),
new Foo(2, "P2", 600, 400),
new Foo(3, "P3", 100, 40),
new Foo(4, "P4", 820, 1100)

What I have written by now:

data.stream()
       .???
       .collect(Collectors.groupingBy(PlannedProjectPOJO::getId));

How can I do that?

Java Solutions


Solution 1 - Java

Using Collectors.groupingBy is the right approach but instead of using the single argument version which will create a list of all items for each group you should use the two arg version which takes another Collector which determines how to aggregate the elements of each group.

This is especially smooth when you want to aggregate a single property of the elements or just count the number of elements per group:

  • Counting:

      list.stream()
        .collect(Collectors.groupingBy(foo -> foo.id, Collectors.counting()))
        .forEach((id,count)->System.out.println(id+"\t"+count));
    
  • Summing up one property:

      list.stream()
        .collect(Collectors.groupingBy(foo -> foo.id,
                                          Collectors.summingInt(foo->foo.targetCost)))
        .forEach((id,sumTargetCost)->System.out.println(id+"\t"+sumTargetCost));
    

In your case when you want to aggregate more than one property specifying a custom reduction operation like suggested in this answer is the right approach, however, you can perform the reduction right during the grouping operation so there is no need to collect the entire data into a Map<…,List> before performing the reduction:

(I assume you use a import static java.util.stream.Collectors.*; now…)

list.stream().collect(groupingBy(foo -> foo.id, collectingAndThen(reducing(
  (a,b)-> new Foo(a.id, a.ref, a.targetCost+b.targetCost, a.actualCost+b.actualCost)),
      Optional::get)))
  .forEach((id,foo)->System.out.println(foo));

For completeness, here a solution for a problem beyond the scope of your question: what if you want to GROUP BY multiple columns/properties?

The first thing which jumps into the programmers mind, is to use groupingBy to extract the properties of the stream’s elements and create/return a new key object. But this requires an appropriate holder class for the key properties (and Java has no general purpose Tuple class).

But there is an alternative. By using the three-arg form of groupingBy we can specify a supplier for the actual Map implementation which will determine the key equality. By using a sorted map with a comparator comparing multiple properties we get the desired behavior without the need for an additional class. We only have to take care not to use properties from the key instances our comparator ignored, as they will have just arbitrary values:

list.stream().collect(groupingBy(Function.identity(),
  ()->new TreeMap<>(
    // we are effectively grouping by [id, actualCost]
    Comparator.<Foo,Integer>comparing(foo->foo.id).thenComparing(foo->foo.actualCost)
  ), // and aggregating/ summing targetCost
  Collectors.summingInt(foo->foo.targetCost)))
.forEach((group,targetCostSum) ->
    // take the id and actualCost from the group and actualCost from aggregation
    System.out.println(group.id+"\t"+group.actualCost+"\t"+targetCostSum));

Solution 2 - Java

Here is one possible approach :

public class Test {
	private static class Foo {
		public int id, targetCost, actualCost;
		public String ref;
		
		public Foo(int id, String ref, int targetCost, int actualCost) {
			this.id = id;
			this.targetCost = targetCost;
			this.actualCost = actualCost;
			this.ref = ref;
		}
		
		@Override
		public String toString() {
			return String.format("Foo(%d,%s,%d,%d)",id,ref,targetCost,actualCost);
		}
	}
	
	public static void main(String[] args) {
		List<Foo> list = Arrays.asList(
			new Foo(1, "P1", 300, 400), 
			new Foo(2, "P2", 600, 400),
			new Foo(3, "P3", 30, 20),
			new Foo(3, "P3", 70, 20),
			new Foo(1, "P1", 360, 40),
			new Foo(4, "P4", 320, 200),
			new Foo(4, "P4", 500, 900));
		
		List<Foo> transform = list.stream()
			.collect(Collectors.groupingBy(foo -> foo.id))
			.entrySet().stream()
			.map(e -> e.getValue().stream()
				.reduce((f1,f2) -> new Foo(f1.id,f1.ref,f1.targetCost + f2.targetCost,f1.actualCost + f2.actualCost)))
				.map(f -> f.get())
				.collect(Collectors.toList());
		System.out.println(transform);
	}
}

Output :

[Foo(1,P1,660,440), Foo(2,P2,600,400), Foo(3,P3,100,40), Foo(4,P4,820,1100)]

Solution 3 - Java

data.stream().collect(toMap(foo -> foo.id,
                       Function.identity(),
                       (a, b) -> new Foo(a.getId(),
                               a.getNum() + b.getNum(),
                               a.getXXX(),
                               a.getYYY()))).values();

just use toMap(), very simple

Solution 4 - Java

Doing this with the JDK's Stream API only isn't really straightforward as other answers have shown. This article explains how you can achieve the SQL semantics of GROUP BY in Java 8 (with standard aggregate functions) and by using jOOλ, a library that extends Stream for these use-cases.

Write:

import static org.jooq.lambda.tuple.Tuple.tuple;

import java.util.List;
import java.util.stream.Collectors;

import org.jooq.lambda.Seq;
import org.jooq.lambda.tuple.Tuple;
// ...

List<Foo> list =

// FROM Foo
Seq.of(
    new Foo(1, "P1", 300, 400),
    new Foo(2, "P2", 600, 400),
    new Foo(3, "P3", 30, 20),
    new Foo(3, "P3", 70, 20),
    new Foo(1, "P1", 360, 40),
    new Foo(4, "P4", 320, 200),
    new Foo(4, "P4", 500, 900))

// GROUP BY f1, f2
.groupBy(
    x -> tuple(x.f1, x.f2),

// SELECT SUM(f3), SUM(f4)
    Tuple.collectors(
        Collectors.summingInt(x -> x.f3),
        Collectors.summingInt(x -> x.f4)
    )
)

// Transform the Map<Tuple2<Integer, String>, Tuple2<Integer, Integer>> type to List<Foo>
.entrySet()
.stream()
.map(e -> new Foo(e.getKey().v1, e.getKey().v2, e.getValue().v1, e.getValue().v2))
.collect(Collectors.toList());

Calling

System.out.println(list);

Will then yield

[Foo [f1=1, f2=P1, f3=660, f4=440],
 Foo [f1=2, f2=P2, f3=600, f4=400], 
 Foo [f1=3, f2=P3, f3=100, f4=40], 
 Foo [f1=4, f2=P4, f3=820, f4=1100]]

Solution 5 - Java

public  <T, K> Collector<T, ?, Map<K, Integer>> groupSummingInt(Function<? super T, ? extends K>  identity, ToIntFunction<? super T> val) {
    return Collectors.groupingBy(identity, Collectors.summingInt(val));
}

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionhaisiView Question on Stackoverflow
Solution 1 - JavaHolgerView Answer on Stackoverflow
Solution 2 - JavaDiciView Answer on Stackoverflow
Solution 3 - Javauser1241671View Answer on Stackoverflow
Solution 4 - JavaLukas EderView Answer on Stackoverflow
Solution 5 - JavaShylock.GouView Answer on Stackoverflow