如何在Java中传递和调用方法引用
作者:互联网
假设我有一个名为Server的类,我想允许其他人为它编写插件. Say Plugin是一个扩展Runnable的接口,它添加了一个方法:void init(…).收集数据并将其发送到服务器是一个插件的工作.但是,到了将数据发送到服务器的时候,它是如何做到的?来自C和C我正在寻找一个关于函数指针的思考.虽然我没有在Java标准类库之外找到示例,但在Java中似乎是可能的.
如何将方法引用传递给init方法,以便插件可以存储它,然后在插件想要发送数据时如何调用方法?现在说所需的Server方法是:void sendData(Integer data).
例如:
// Inside Server
Plugin p = new PluginImplementation();
p.init(this::sendData);
// Plugin init
public void init(?? sendMethod) {
storedSendMethod = sendMethod;
// ...
}
// Plugin run
public void run() {
// ...
storedSendMethod(x) // Sends data to server
// ...
}
解决方法:
使用java.util.function.Function,我们可以将函数作为参数传递给方法,然后使用apply()将其应用于相关参数.这是一个例子:
import java.util.function.Function;
public class FunctionDemo {
// we will pass a reference to this method
public static Integer square(Integer x) {
return x * x;
}
// this method accepts the function as an argument and applies it to the input: 5
public static Integer doSomething(Function<Integer, Integer> func) {
return func.apply(5);
}
public static void main(String[] args) {
// and here's how to use it
System.out.println(doSomething(FunctionDemo::square)); // prints 25
}
}
带有多个参数的附加版本(作为数组传递):
public static Integer sum(Integer[] x) {
Integer result = 0;
for(int i = 0; i < x.length; i++)
result += x[i];
return result;
}
public static void main(String[] args) {
Integer[] arr = {1,2,3,4,5};
System.out.println(doSomething(Play::sum, arr));
}
public static Integer doSomething(Function<Integer[], Integer> func,
Integer[] arr) {
return func.apply(arr);
}
标签:java,java-8,method-reference 来源: https://codeday.me/bug/20190528/1169316.html