自定义功能接口作为方法参数

时间:2019-03-07 23:45:23

标签: java functional-interface

我下面的代码确实产生了预期的结果。有人可以解释幕后发生的事情吗?我不了解编译器/ JVM如何知道需要在 Storer 对象上调用 store(String str)或如何定义 doSomething (存储器,String str)实现。

Storer.java

public class Storer {
    private List<String> storer = new ArrayList<>();

    public void store(String str) {
        storer.add(str);
    }

    @Override
    public String toString() {
        return "Storer [storer=" + storer + "]";
    }

}

MyInterface.java

@FunctionalInterface
public interface MyInterface {
    public abstract void doSomething(Storer s, String str);
}

Executor.java

public class Executor {
    public void doStore(Storer storer, String s, MyInterface p) {
        p.doSomething(storer, s);
    }
}

TestFunctionalInterfaces.java

public class TestFunctionalInterfaces {
    public static void main(String[] args) {
        Storer storer = new Storer();

        Executor test = new Executor();
        test.doStore(storer, "I've got added", Storer::store);

        System.out.println(storer);
    }
}

输出为:

Storer [storer=[I've got added]]

谢谢。

2 个答案:

答案 0 :(得分:3)

Storer::store是一种方法参考,可以代替任何@FunctionalInterface使用。本质上,这里的内容是My Interface实现的简写。等效为:

public class MyInterfaceImpl implements MyInterface {
    public void doSomething(Storer storer, String str) {
       storer.store(str);
    } 
}

此实现(通过方法参考指定)是为什么执行storer.store()的原因...,因为您已经指定并传递给了Executor的MyInterface实现。编译器足够聪明,可以将实现/方法引用与您提供的参数相匹配

答案 1 :(得分:1)

方法引用Store::storer等同于lambda (s, str) -> s.store(str)。通常,给定一个期望参数为a1,a2,a3,...的功能接口,此类型的方法引用等效于调用a1.namedMethod(a2,a3,...)的lambda。参见this answer