如何在不获取 Optional 的情况下使用 groupingBy 和 reduce

How to use groupingBy with reducing without getting an Optional

对于我的问题的这个大大简化的示例,我有一个带有 year 字段和其他三个统计字段的 Stat 对象。假设它们是兽医链分支机构中每种动物类型的患者数量的年度统计数据,我想按年计算所有分支机构的总和。

换句话说,从 Stat 个对象的列表中,我想 return 一个 Map<Integer, Stat>,其中整数是年份,Stat 对象具有四个字段中每个字段的年份和总和。

public class Stat
{
    int year;
    public int getYear() { return year; }

    long cats;
    public long getCats() { return cats; }

    long dogs;
    public long getDogs() { return dogs; }

    long pigeons;
    public long getPigeons() { return pigeons; }

    public Stat(int year, long cats, long dogs, long pigeons)
    {
        this.year = year;
        this.cats = cats;
        this.dogs = dogs;
        this.pigeons = pigeons;
    }

    public Stat(Stat left, Stat right)
    {
        if (left.year != right.year)
               throw new IllegalArgumentException("Only allow combining for same year.");
        this.year = left.year;
        this.cats = left.cats + right.cats;
        this.dogs = left.dogs + right.dogs ;
        this.pigeons = left.pigeons + right.pigeons;
    }

    @Override
    public String toString()
    {
        return String.format("%d c=%d d=%d p=%d", year, cats, dogs, pigeons);
    }
}
@Test
public void testStat()
{
    List<Stat> items = Arrays.asList(
        new Stat(2017, 5, 8, 12),
        new Stat(2017, 123, 382, 15),
        new Stat(2018, 1, 2, 3)
        );
    Map<Integer, Optional<Stat>> result = items.stream()
        .collect(Collectors.groupingBy(Stat::getYear,
            Collectors.reducing(Stat::new)
        ));
    System.out.println(result);
}

Optional 是不必要的,因为如果没有元素,groupingBy 永远不会创建需要 reducingList

有没有办法获得 Map<Integer, Stat>,最好不必创建空白的“身份”对象?

如果我不得不求助于创建身份创建函数 reducing,Stat 对象的组合构造函数必须有年份(请参阅构造函数),那么身份构造函数如何获取传递给的年份是吗?

您可以使用 Collectors.toMap 作为 :

Map<Integer, Stat> result = items.stream()
        .collect(Collectors.toMap(Stat::getYear, 
                Function.identity(), (one, another) -> sumStatsOfSameYear(one, another)));

其中 sumAttributes 定义为

// stat from the same year
private static Stat sumStatsOfSameYear(Stat one, Stat another) {
    new Stat(one.getYear(), one.getCats() + another.getCats(),
            one.getDogs() + another.getDogs(), one.getPigeons() + another.getPigeons()))
}