自定义功能接口作为方法参数
Custom functional interface as method argument
我有下面的代码确实产生了预期的结果。有人可以解释幕后发生的事情吗?我不明白 compiler/JVM 如何知道需要在 Storer 对象上调用 store(String str) 或者如何它是否定义了 doSomething(Storer s, 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]]
提前致谢。
Storer::store
是一个方法参考,可以用来代替任何 @FunctionalInterface
。您在此处得到的实质上是 shorthand 的 My Interface 实现。等价于:
public class MyInterfaceImpl implements MyInterface {
public void doSomething(Storer storer, String str) {
storer.store(str);
}
}
此实现(通过您的方法引用指定)是执行 storer.store() 的原因...因为您指定并传递给执行器的 MyInterface 的实现。编译器足够聪明,可以将 implemention/method 引用与您提供的参数
相匹配
方法引用 Store::storer
等同于 lambda (s, str) -> s.store(str)
。通常,给定一个需要参数 a1, a2, a3, ... 的函数式接口,这种类型的方法引用等同于调用 a1.namedMethod(a2, a3, ...) 的 lambda。参见 this answer。
我有下面的代码确实产生了预期的结果。有人可以解释幕后发生的事情吗?我不明白 compiler/JVM 如何知道需要在 Storer 对象上调用 store(String str) 或者如何它是否定义了 doSomething(Storer s, 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]]
提前致谢。
Storer::store
是一个方法参考,可以用来代替任何 @FunctionalInterface
。您在此处得到的实质上是 shorthand 的 My Interface 实现。等价于:
public class MyInterfaceImpl implements MyInterface {
public void doSomething(Storer storer, String str) {
storer.store(str);
}
}
此实现(通过您的方法引用指定)是执行 storer.store() 的原因...因为您指定并传递给执行器的 MyInterface 的实现。编译器足够聪明,可以将 implemention/method 引用与您提供的参数
相匹配方法引用 Store::storer
等同于 lambda (s, str) -> s.store(str)
。通常,给定一个需要参数 a1, a2, a3, ... 的函数式接口,这种类型的方法引用等同于调用 a1.namedMethod(a2, a3, ...) 的 lambda。参见 this answer。