在我的框架中,我有一个这样的课程:
public class Foo<B, V> {
private final Method getterMethod;
...
public V executeGetter(B bean) {
try {
return getterMethod.invoke(bean);
} catch ...
}
}
该类用于调用用户创建的类的getter,这些类在我的框架编译时是不可用的。例如,B
可能是名为Person
的类。
通过剖析,我发现这种方法非常慢。 Method.invoke()
在采样分析中的性能提高了40%(即使使用setAccessible(true)
),而非反射实现只占该性能的一小部分。
所以我想替换为MethodHandle
:
public class Foo<B, V> {
private final MethodHandle getterMethodHandle;
...
public V executeGetter(B bean) {
try {
return getterMethodHandle.invoke(bean);
} catch ...
}
}
但后来我得到了这个例外:
java.lang.ClassCastException: Cannot cast [Ljava.lang.Object; to Person
at sun.invoke.util.ValueConversions.newClassCastException(ValueConversions.java:461)
at sun.invoke.util.ValueConversions.castReference(ValueConversions.java:456)
at ...Foo.executeGetter(Foo.java:123)
即使bean
是Person
的实例。现在误导性的部分是它试图将Object[]
(而不是Object
)投射到Person
。请注意,将其包装在对象数组中(这是性能损失)并没有帮助:
return getterMethodHandle.invoke(new Object[]{bean}); // Same exception
是否有可能让MethodHandle
在这种情况下工作?
答案 0 :(得分:1)
在框架/库代码中使用MethodHandles是完全正常的,我发现代码中没有问题。这个例子很好用:
import java.lang.invoke.MethodHandle;
import java.lang.invoke.MethodHandles;
import java.lang.invoke.MethodType;
public class Foo<B, V> {
private final MethodHandle getterMethodHandle;
public Foo(MethodHandle mh) {
this.getterMethodHandle = mh;
}
public V executeGetter(B bean) {
try {
return (V) getterMethodHandle.invoke(bean);
} catch(RuntimeException | Error ex) {
throw ex;
} catch(Throwable t) {
throw new RuntimeException(t);
}
}
static class Pojo {
String x;
public Pojo(String x) {
this.x = x;
}
public String getX() {
return x;
}
}
public static void main(String[] args) throws Exception {
// I prefer explicit use of findXYZ
Foo<Pojo, String> foo = new Foo<>(MethodHandles.lookup()
.findVirtual(Pojo.class, "getX", MethodType.methodType(String.class)));
// Though unreflect also works fine
Foo<Pojo, String> foo2 = new Foo<>(MethodHandles.lookup()
.unreflect(Pojo.class.getMethod("getX")));
System.out.println(foo.executeGetter(new Pojo("foo")));
System.out.println(foo2.executeGetter(new Pojo("bar")));
}
}
输出结果为:
foo
bar
为了获得更好的性能,请考虑使用invokeExact
,但它不允许自动类型转换,例如拆箱。
答案 1 :(得分:1)
只有使用源/目标级别java 6进行编译时才会出现ClassCastException
。
使用源级/目标级别7或更高级别进行编译,以避免ClassCastException
。
感谢Tagir的回答。 (也赞成他的回答)