我想在流的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

最佳答案

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)

09-28 06:14