您好我在运行代码时收到了上述错误。我无法理解导致错误的原因。我已经在a similar thread上看到了解决方案,但我不确定这是否适用于我的情况。有人可以帮我理解一下吗?非常感谢任何帮助。
ERROR
[org.apache.catalina.core.ContainerBase.[jboss.web].[localhost].[/window].[jsp]]
Servlet.service() for servlet jsp threw exception
java.lang.IllegalArgumentException: object is not an instance of
declaring class at
sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at
sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39)
at
sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25)
at java.lang.reflect.Method.invoke(Method.java:597) at
com.container.taglib.util.MirrorMaker.invokeMethod(MirrorMaker.java:54)
at
com.container.taglib.util.MirrorMaker.invokeMethod(MirrorMaker.java:48)
at
com.container.taglib.list.TableSorter.invokeMethod(TableSorter.java:1092)
at
com.container.taglib.list.TableSorter.createList(TableSorter.java:503)
at
com.container.taglib.list.TableSorter.doAfterBody(TableSorter.java:151)
代码:
public static Object invokeMethod(Object obj, Method method, Object[] params)throws IllegalAccessException, InvocationTargetException{
Object ret = null;
String str = "";
try{
ret = method.invoke(obj, params);
if(ret instanceof String){
str = (String)ret;
//logger.info("ret str: "+str);
}else if(ret instanceof Integer){
str = ((Integer)ret).toString();
//logger.info("ret int: "+str);
}else if(ret instanceof java.util.Date){
str = new SimpleDateFormat("yyyy-MM-dd").format(ret);
logger.info("ret date: "+str);
}else if(ret instanceof Double) {
str = ((Double)ret).toString();
}else if(ret instanceof ArrayList){
return ret;
}else{
return ret;
}
}catch(IllegalAccessException ex){
logger.info("illegal access");
throw ex;
}catch(InvocationTargetException ex){
logger.error("invocation target ex");
throw ex;
}
return str;
}
答案 0 :(得分:4)
除了尝试使用反射API来调用使用不是声明该方法的类的实例的对象的方法之外,没有理由抛出此异常。
您从反射API返回的错误消息无法帮助您确定错误的确切方法。在invokeMethod
函数中添加如下所示的检查可以提供更多有用的信息:
if (!Modifier.isStatic(method.getModifiers())) {
if (obj == null) {
throw new NullPointerException("obj is null");
} else if (!method.getDeclaringClass().isAssignableFrom(obj.getClass())) {
throw new IllegalArgumentException(
"Cannot call method '" + method + "' of class '" + method.getDeclaringClass().getName()
+ "' using object '" + obj + "' of class '" + obj.getClass().getName() + "' because"
+ " object '" + obj + "' is not an instance of '" + method.getDeclaringClass().getName() + "'");
}
}
此代码将检查一个对象是声明该方法的类的实例,如果没有,则抛出一个异常,其中包含有关该对象和方法声明类的更多详细信息。
您的代码似乎是Web应用程序的一部分。我可以推测,obj
的类和Method
的声明类可能是在两个单独的类加载器中加载的同一类的两个不同副本。 (在Tomcat中,每个Web应用程序都使用自己的类加载器。)然而,由于无法看到您的代码以及如何运行它,这只不过是在黑暗中完全刺伤。