我开始遇到一个非常有用的JSR223脚本环境的肮脏小秘密。
我正在使用Java 6 SE附带的内置版Rhino,通过JSR223的ScriptingEngine
等来访问它。
当我获得由我导出到Javascript环境的Java对象引起的异常时,ScriptingException
包裹了一个sun.org.mozilla.javascript.internal.WrappedException
来包装我的真实异常(例如UnsupportedOperationException
或者其他)
ScriptingException
为getFileName()返回null,为getLineNumber()返回-1。
但是当我查看消息并在调试器中,WrappedException
具有正确的文件名和行号时,它不会通过ScriptingException的getter方法发布它。
大。 现在我该怎么做?我不知道我将如何使用sun.org.mozilla.javascript.internal.wrappedException,它不是公共类。
答案 0 :(得分:1)
哎呀。 Java 6的Rhino使用sun.org.mozilla.javascript.internal.EvaluatorException
执行相同的操作(不通过ScriptingException的方法发布文件名/行号等),并且知道有多少其他异常。
我能想到的唯一合理的方法是使用反射。这是我的解决方案。
void handleScriptingException(ScriptingException se)
{
final Throwable t1 = se.getCause();
String lineSource = null;
String filename = null;
Integer lineNumber = null;
if (hasGetterMethod(t1, "sourceName"))
{
lineNumber = getProperty(t1, "lineNumber", Integer.class);
filename = getProperty(t1, "sourceName", String.class);
lineSource = getProperty(t1, "lineSource", String.class);
}
else
{
filename = se.getFileName();
lineNumber = se.getLineNumber();
}
/* do something with this info */
}
static private Method getGetterMethod(Object object, String propertyName)
{
String methodName = "get"+getBeanSuffix(propertyName);
try {
Class<?> cl = object.getClass();
return cl.getMethod(methodName);
}
catch (NoSuchMethodException e) {
return null;
/* gulp */
}
}
static private String getBeanSuffix(String propertyName) {
return propertyName.substring(0,1).toUpperCase()
+propertyName.substring(1);
}
static private boolean hasGetterMethod(Object object, String propertyName)
{
return getGetterMethod(object, propertyName) != null;
}
static private <T> T getProperty(Object object, String propertyName,
Class<T> cl) {
try {
Object result = getGetterMethod(object, propertyName).invoke(object);
return cl.cast(result);
}
catch (Exception e) {
e.printStackTrace();
}
return null;
}