如何使用groupingBy减少而不获取Optional

问题描述 投票:2回答:1

对于我的问题的这个大大简化的例子,我有一个带有Stat字段和其他三个统计字段的year对象。想象一下,他们的结果是兽医连锁店每个动物类型患者数量的年度统计数据,我希望每年获得所有分支的总和。

换句话说,从Stat对象列表中,我想返回一个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永远不会创造需要Listreducing

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

如果我不得不求助于为reducing创建一个身份创建函数,那么Stat对象的组合构造函数必须有一年(参见构造函数),那么身份构造函数如何获得传递给它的年份?

java java-8 java-stream grouping collectors
1个回答
2
投票

您可以使用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()))
}
© www.soinside.com 2019 - 2024. All rights reserved.