Java Collectors.groupingBy找不到错误

时间:2018-10-12 20:16:02

标签: java java-stream collect

编译器在这里给我一个非静态方法错误,我已经知道这并不意味着一定是问题,但是我真的找不到其他任何东西,特别是因为我在不同的类中有相同的方法通过会发挥一切作用。

public Map<Integer, Map<Integer, Double>> setup(ArrayList<RunPlay> play){
Map<Integer, Map<Integer,Double>> map =
         plays.stream()
                    .collect(
                            Collectors.groupingBy(RunPlay::getYardline, Collectors.groupingBy(RunPlay::getDown, Collectors.averagingDouble(PassPlay::getPoints)))
                    );
    return map;

这是RunPlay类:

public class RunPlay {

private int yardline;
private int down;
private int togo;
private int gained;
private int td;

public RunPlay(int yardline, int down, int togo, int gained, int td){

    this.down=down;
    this.gained=gained;
    this.td=td;
    this.togo=togo;
    this.yardline=yardline;

}

public double getPoints(){
    double result=0;
    result+=((getGained()*0.1)+(td*6));
    return result;
}

public int getYardline() {
    return yardline;
}

public int getGained() { return gained; }

public int getDown() { return down; }

public int getTd() {
    return td;
}

public int getTogo() {
    return togo;
}
}

1 个答案:

答案 0 :(得分:0)

您的stream管道的元素是RunPlay实例。因此,当您调用RunPlay::getYardline时,将在传入的对象(在您的情况下为RunPlay实例)上调用相关方法。但是如何调用PassPlay::getPoints,在这种情况下,使用方法引用是不可能的。因此,如果您需要这样做,则必须使用lambda表达式,例如假设该方法是实例方法,

Map<Integer, Map<Integer, Double>> map = plays.stream()
    .collect(Collectors.groupingBy(RunPlay::getYardline, Collectors.groupingBy(RunPlay::getDown,
        Collectors.averagingDouble(ignored -> new PassPlay().getPoints()))));

但是,您可以使用在此情况下与上面使用的相同的方法引用,这是合法的。

Function<PassPlay, Double> toDoubleFn = PassPlay::getPoints;

因此getPoints方法将在传入的实例中被调用。