7

我开始遇到一个非常有用的 JSR223 脚本环境的肮脏小秘密。

我正在使用 Java 6 SE 附带的内置 Rhino 版本,通过 JSR223ScriptingEngine等访问它。

当我得到一个由我导出到 Javascript 环境中的 Java 对象引起的异常时,它是一个ScriptingException包装sun.org.mozilla.javascript.internal.WrappedException我真正异常(例如UnsupportedOperationException或其他)的包装

getFileName() 返回 null ,ScriptingExceptiongetLineNumber() 返回 -1。但是当我查看消息和调试器时,它WrappedException具有正确的文件名和行号,它只是没有通过 ScriptingException 的 getter 方法发布它。

伟大的。现在我该怎么办?我不知道我将如何使用 sun.org.mozilla.javascript.internal.wrappedException 无论如何它都不是公共类。

4

1 回答 1

1

啊。Java 6 的 Rhino 做同样的事情(不通过 ScriptingException 的方法发布文件名/行号/等),sun.org.mozilla.javascript.internal.EvaluatorException谁知道还有多少其他异常。

我能想到的唯一合理的处理方法是使用反射。这是我的解决方案。

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;
}
于 2011-04-06T14:23:04.613 回答