调用方法时进行装箱

Performing boxing when invoking method

为什么方法句柄不执行原始类型的装箱?

/* package whatever; // don't place package name! */

import java.lang.invoke.MethodHandle;
import java.lang.invoke.MethodHandles;
import java.lang.invoke.MethodType;

/* Name of the class has to be "Main" only if the class is public. */
class Ideone
{
    public static int i(int i1, Integer i2){
        return i1 + i2;
    }
    public static void tm() throws Throwable {
        MethodHandles.Lookup lu = MethodHandles.publicLookup();
        MethodType mt = MethodType.methodType(int.class, int.class, int.class);
        MethodHandle mh = lu.findStatic(Ideone.class, "i", mt);
        System.out.println(mh.invoke(1, 2));
    }

    public static void main(String[] args) throws Throwable {
        tm();
    }

}

https://ideone.com/KmvNkx

这是我试过的代码。它抛出异常。我希望 MethodHandle::invoke 而不是 invokeExact 执行 asType 调整,包括装箱转换。怎么了?

你有两个问题:

1) 您的 class 不是 public,publicLookup() 需要它。因此,将您的 class 声明更改为:

public class Ideone
{

2) Auto-boxing/unboxing 是编译和运行时的一种便利,它隐藏了 primative int 和 class Integer 不同的事实。您对该方法的查找是在寻找一种名为 "i" 的方法,该方法 returns 是一个 primative int 并且具有两个 primative int 参数。事实并非如此。因此,将您的查找更改为与函数声明匹配的查找:

MethodType mt = MethodType.methodType(int.class, int.class, Integer.class);
MethodHandle mh = lu.findStatic(Ideone.class, "i", mt);