将方法处理转换为方法引用(此处函数)

2022-09-03 12:31:00
MethodType methodType = MethodType.methodType(void.class, ByteBuffer.class);
MethodHandle handle = MethodHandles.publicLookup().findConstructor(type, methodType);

Function<ByteBuffer, Object> = handle; // ???

是否可以获得最后一个作业?倒置方式不起作用:是否可以将方法引用转换为方法处理?

这是另一个可复制粘贴的示例:

new Integer("123");

MethodType methodType = MethodType.methodType(void.class, String.class);
MethodHandle handle = MethodHandles.publicLookup().findConstructor(Integer.class, methodType);

Function<String, Integer> function1 = Integer::new;
Function<String, Integer> function2 = handle.toLambda(); // ???

答案 1

«这个答案»包含一个代码示例,演示如何使用相同的功能将a转换为功能实现,Java 8的lambda表达式和方法引用使用。MethodHandleinterface

这一切都是为了使用方法句柄,所需的接口以及唯一方法的名称和所需的签名来调用LambdaMetafactory.metafactoryabstract

方法的文档它的类文档都非常详细。

因此,对于您的请求,示例代码可能如下所示:

MethodType methodType = MethodType.methodType(Integer.class, String.class);
MethodHandles.Lookup lookup = MethodHandles.lookup();
MethodHandle handle = lookup.findStatic(Integer.class, "valueOf", methodType);
Function<String,Integer> f=(Function<String,Integer>)
  LambdaMetafactory.metafactory(lookup, "apply",
    MethodType.methodType(Function.class), methodType.generic(),
    handle, methodType).getTarget().invokeExact();

System.out.println(f.apply("123"));

您必须关心此处的签名类型。第四个参数是指原始函数签名的方法类型,因此对于原始类型,我们必须在描述方法的同时实现。这就是为什么在 methodType 上调用该方法以获取将转换为 的第四个参数的原因。samMethodTypeinterfaceFunctionObject apply(Object)instantiatedMethodTypeInteger apply(String).generic()(String)Integer(Object)Object

这对于构造函数来说更加棘手,因为构造函数将使用类型进行查找,而函数类型与方法情况相同。因此,对于方法,该方法与构造函数的 while 匹配,我们必须使用不同的类型进行查找:(String)voidstaticstaticMethodTypeMethodType

MethodType methodType = MethodType.methodType(Integer.class, String.class);
MethodHandles.Lookup lookup = MethodHandles.lookup();
MethodHandle handle = lookup.findConstructor(
        Integer.class, MethodType.methodType(void.class, String.class));
Function<String,Integer> f=(Function<String,Integer>)
  LambdaMetafactory.metafactory(lookup, "apply",
    MethodType.methodType(Function.class), methodType.generic(),
    handle, methodType).getTarget().invokeExact();

但这只是为了完整性,对于类型,你不应该调用构造函数,而最好使用方法。IntegervalueOf


答案 2

我认为你需要这样的东西:

Function<ByteBuffer,Object> fn = (Function<ByteBuffer,Object>)
    MethodHandleProxies.asInterfaceInstance(Function.class, handle);

(通常的免责声明:甚至没有编译它。编译它。似乎有效。


推荐