我在C中有一个函数,我试图用JNA来调用Java:
int myCfunc(void *s, int *ls);
根据JNA documentation,void *需要将com.sun.jna.Pointer
传递给函数。在使用JNA的java中,我相信上面的函数将包含如下:
public interface myWrapper extends Library{
public int myCfunc(Pointer s, IntByReference ls);
}
需要链接到指针并在参数s
中传递的对象将是实现JNA结构的类,例如:
public class myClass extends Structure{
public int x;
public int y;
public int z;
}
不幸的是,参数ls
是一个整数,表示以字节为单位的类的长度。 Java没有sizeof
函数,因此这增加了额外的复杂性。
我遇到的另一个主要问题是确保我正确地将对象的内容传递给本机内存并返回。
我的代码类似于以下内容:
import com.sun.jna.Native;
import com.sun.jna.Pointer;
import com.sun.jna.Structure;
import com.sun.jna.ptr.IntByReference;
public void foo(){
myWrapper wrapper = (myWrapper) Native.loadLibrary("SomeDllWithLegacyCode", myWrapper.class);
myClass myObj = new myClass();
myObj.x = 1;
myObj.y = 2;
Pointer myPointer = myObj.getPointer();
int size = Native.getNativeSize(myClass.class);
IntByReference len = new IntByReference(size);
myObj.write(); //is this required to write the values in myObj into the native memory??
wrapper.myCfunc(myPointer, len);
myObj.read(); //does this read in the native memory and push the values into myObj??
myPointer.clear(size); //is this required to clear the memory and release the Pointer to the GC??
}
我收到错误,传递的数据大小超出预期 C函数。
上面的代码大致遵循相同类型的步骤as provided out in this answer处理类似问题但在C#中的问题。我已经尝试并测试过它在C#中工作。
我的问题类似于another on Stackoverflow,但它处理指向IntByReference的指针而不是指向类的指针。
答案 0 :(得分:6)
首先,JNA自动处理它自己的内存分配,这意味着跟随行是无用的(并且会损坏内存堆栈):
myPointer.clear(size); //is this required to clear the memory and release the Pointer to the GC??
接下来它还会自动处理本机指针类型,这意味着以下两行在您的情况下是等效的:
public int myCfunc(Pointer s, IntByReference ls);
public int myCfunc(myClass s, IntByReference ls);
因此JNA会为你做myObj.write();
和read
。
以下是100%正确但我建议您在调用len.getValue()
之前和之后记录myCfunc
(可以给出3 * 4 = 12; 3个4字节的int):
int size = Native.getNativeSize(myClass.class);
IntByReference len = new IntByReference(size);
如果所有这些都是正确的,那么您的结构原型可能会出错。
根据我的经验,这主要是由于过时的C头文件或过时的库:
最后你的代码应如下所示:
public void foo(){
myWrapper wrapper = (myWrapper) Native.loadLibrary("SomeDllWithLegacyCode", myWrapper.class);
myClass myObj = new myClass();
myObj.x = 1;
myObj.y = 2;
int size = Native.getNativeSize(myClass.class);
IntByReference len = new IntByReference(size);
//log len.getValue
wrapper.myCfunc(myObj, len);
//log len.getValue
}
您还可以尝试自愿减少len的值以进行调试 例如:
IntByReference len = new IntByReference(size-1);
IntByReference len = new IntByReference(size-2);
IntByReference len = new IntByReference(size-3);
//...
IntByReference len = new IntByReference(size-11);
这不会做你想做的事情,但至少它应该给你正确的“max len”