在流收集器中编写Java 8方法引用

时间:2016-10-03 22:34:58

标签: java java-8 java-stream method-reference collectors

我想在流的collect(Collectors.toMap(..))调用中编写方法引用。在下面的示例中,我有一些代码可以在没有方法引用的情况下完成我的任务:

class A {
    private String property1;
    private B property2;

    public String getProperty1() { return property1; }
    public B getProperty2() { return property2; }
}

class B {
    private String property3;

    public String getProperty3() { return property3; }
}

public class Main {
    public static void Main() {
        List<A> listOfA = /* get list */;

        Map<String, String> = listOfA.stream()
            .collect(toMap(x -> x.getProperty1(), x -> x.getProperty2().getProperty3()));
    } 
}

x -> x.getProperty1()更改为A::getProperty1()是微不足道的。但是x -> x.getProperty2().getProperty3()并不是那么简单。我想要以下其中一项工作:

.collect(toMap(A::getProperty1, ((Function)A::getProperty2).andThen((Function)B::getProperty3)))

.collect(toMap(A::getProperty1, ((Function)B::getProperty3).compose((Function)A::getProperty2)))

但是,他们都给我错误Non-static method cannot be referenced from static context

1 个答案:

答案 0 :(得分:3)

A::getProperty2Function<A, B>(这是一个函数,它接受A的实例并返回B的实例)。

您可以将其转换为:

((Function<A, B>)A::getProperty2).andThen(B::getProperty3)

或者您可以创建一个函数生成器,如:

public static <A, B, R> Function<A, R> compose(
        Function<A, B> f1, Function<B, R> f2) {
    return f1.andThen(f2);
}

并用它来组成:

compose(A::getProperty2, B::getProperty3)