1

我正在使用以下代码尝试在 java 中获取类 RWException(它扩展了 Exception),以便我可以调用方法“getCode()”来检索错误代码 (int) 并正确处理错误。我浏览了 JNI 文档并创建了以下代码...问题是当我尝试调用无参数方法 getCode() 时遇到 AccessViolation 异常。我得到了类的有效句柄和我正在寻找的方法 id。

jstring o = (jstring)envLoc->CallStaticObjectMethod(cls, mid, jstrUser, jstrPass, jstrGroup);
jthrowable exc = envLoc->ExceptionOccurred();

if (exc) {
    // Get the class
    jclass mvclass = env->GetObjectClass( exc );
    // Get method ID for method
    jmethodID mid = env->GetMethodID(mvclass, "getCode", "()I");
    // Call the method      
    jint code  =  env->CallIntMethod(mvclass, mid);
}

此代码在使用以下信息在 VS.NET 中调试时给了我一个异常:

尝试读取或写入受保护的内存

更新 这是我希望通过上面的 JNI 代码调用的 java 方法:

public int getCode() {
    return code;
}

mvclass 和 mid 对象都已正确实例化,并且应该可以正常工作,除非我遗漏了什么。

更新 2

如果我运行以下代码,则 toString() 方法使用相同的概念:

jstring o = (jstring)envLoc->CallStaticObjectMethod(cls, mid, jstrUser, jstrPass, jstrGroup);
exc = envLoc->ExceptionOccurred();
if (exc) {

    envLoc->ExceptionClear();

    // Get the class
    jclass exccls = envLoc->GetObjectClass(exc);

    // Get method ID for methods 
    jmethodID getCodeMeth = envLoc->GetMethodID(exccls, "getCode", "()I");

    jmethodID getMsgMeth = envLoc->GetMethodID(exccls, "toString", "()Ljava/lang/String;");

    jstring obj = (jstring)envLoc->CallObjectMethod(exccls, getMsgMeth);
    String^ toString = JStringToCliString(obj);

    // this is where the access violation occurs
    jint jcode  =  envLoc->CallIntMethod(exccls, getCodeMeth);
    int code = jcode;
}

因此,toString() 方法返回对象的完整类名,它是正确的 RWException 对象。第一次更新 getCode() 中概述的方法是公开的,等等......所以不确定为什么它会给出内存访问冲突错误。

4

3 回答 3

2

我可以在您的代码中看到的唯一可能的问题是您正在调用一个方法,而异常仍在传播。envLoc->ExceptionOccurred()为您提供异常对象,但您仍然必须使用envLoc->ExceptionClear().

于 2012-09-08T09:50:51.747 回答
2
// exc is the exception object
exc = envLoc->ExceptionOccurred();

...

// exccls is the exception CLASS
jclass exccls = envLoc->GetObjectClass(exc);
jmethodID getCodeMeth = envLoc->GetMethodID(exccls, "getCode", "()I");

...

// CallIntMethod(jobject instance, jmethodID method)
jint jcode = envLoc->CallIntMethod(exccls, getCodeMeth);
// exccls is the CLASS, not the object
// so correct would be:
jint jcode = envLoc->CallIntMethod(exc, getCodeMeth);

哇哦。

并且编译器不会抱怨这一点,因为每个jclass都是 a jobject,就像jstring.

于 2012-09-11T10:15:23.563 回答
1

您在此代码中没有错误检查。您需要检查每个 JNI 操作的结果:GetObjectClass()、GetMethodID()、CallXXXMethod() ... 例如,您假设该类有一个 getCode() 方法,并在不检查的情况下调用它。

于 2012-09-10T18:54:47.270 回答