这是我研究功能接口概念时遇到的一个示例。

interface Sayable{
   void say();
}
public class MethodReference {
    public static void saySomething(){
        System.out.println("Hello, this is static method.");
    }
    public static void main(String[] args) {
        // Referring static method
        Sayable sayable = MethodReference::saySomething;
        // Calling interface method
        sayable.say();
    }
}

这是在打印“您好,这是静态方法”。运行时在输出中。我的问题是,当我们调用say()方法(未实现)时,它如何打印输出

最佳答案

您可以这样想方法参考:

Sayable sayable = new Sayable() {

    @Override
    void say() {
        // Grab the body of the method referenced by the method reference,
        // which is the following:
        System.out.println("Hello, this is static method.");
    }
}

该方法引用有效,因为
  • 目标类型是功能接口 Sayable(您正在尝试将结果存储为Sayable类型);和
  • 方法引用saySomething()的签名与功能接口方法say()匹配,即参数返回类型 match1。

  • 称为变量say()Sayable实例的sayable方法的实现等于该方法引用所引用的方法的主体。

    因此,就像JB Nizet在评论中说的那样,say()实际上已实现。

    1一点细节:“匹配”一词并不完全意味着“相等”。例如。如果saySomething()返回了int,它仍然可以工作,尽管目标类型的唯一方法将返回类型定义为void

    09-30 12:06