0

这是我第一次使用 JNA。我想要做的是调用 DLL 中的函数,该函数需要 (C 代码)->(unsigned long DeviceTypes, NeoDevice *pNeoDevice, int *pNumDevices)...(JNA 形式)-> (int, NeoDevice.getPointer( ), int[] myInt) 作为参数。该函数应该写入结构的字段,我想查看更新的字段。

这是我的 JNA 结构'NeoDevice'

import java.util.Arrays;
import java.util.List;
import com.sun.jna.*;

public class NeoDevice extends Structure {
    public volatile int DeviceType;
    public volatile int Handle;
    public volatile int NumberOfClients;
    public volatile int SerialNumber;
    public volatile int MaxAllowedClients;
    public NeoDevice() {
       super();
    }
    protected List<? > getFieldOrder() {
         return Arrays.asList("DeviceType", "Handle", "NumberOfClients", "SerialNumber", "MaxAllowedClients");
    }
    public NeoDevice(int DeviceType, int Handle, int NumberOfClients, int SerialNumber, int MaxAllowedClients) {
        super();
        this.DeviceType = DeviceType;
        this.Handle = Handle;
        this.NumberOfClients = NumberOfClients;
        this.SerialNumber = SerialNumber;
        this.MaxAllowedClients = MaxAllowedClients;
    }
    protected ByReference newByReference() { return new ByReference(); }
    protected ByValue newByValue() { return new ByValue(); }
    protected NeoDevice newInstance() { return new NeoDevice(); }

    public static class ByReference extends NeoDevice implements Structure.ByReference {

    };
    public static class ByValue extends NeoDevice implements Structure.ByValue {

    };
}

我正在尝试使用“updateStructureByReference(类类型,对象,指向对象的指针)”来更新字段。我不相信我的“类类型”参数是否正确?我做错了什么吗?任何投入将不胜感激。

当我尝试打印这些字段时,它们似乎仍然为零。

在我的主要课程中,我有

    NeoDevice.ByReference myDeviceByRef = new NeoDevice.ByReference();
    NeoDevice.ByValue myDeviceByVal = new NeoDevice.ByValue();
    NeoDevice myDevice = new NeoDevice();

    int [] NumDevices;
    NumDevices  = new int [1];
    NumDevices[0] = 1;

    int iResult = n40.icsneoFindNeoDevices(65535, myDeviceByRef.getPointer(), NumDevices);
    int icsneoGetDLLVersion = n40.icsneoGetDLLVersion();

    Object serialN = myDeviceByRef.readField("SerialNumber");
    NeoDevice.ByReference myDeviceBy = Structure.updateStructureByReference(NeoDevice.ByReference, myDeviceByRef, myDeviceByRef.getPointer());
4

1 回答 1

0

不是公共功能的事实Structure.updateStructureByReference应该是您做错事的第一个迹象。

通过声明结构字段volatile,您是在告诉 JNA 避免将它们的值复制到本机内存,这通常会在本机函数调用之前自动执行。如果您打算将 Java 字段中的值传递给本机函数,这只是一个问题;如果您只对读回结果感兴趣,volatile没关系。

如果您icsneoFindNeoDevices被声明将NeoDevice实例作为其第二个参数(而不是指针),则 JNA 将自动正确同步结构字段(它将在函数调用后更新 Java 字段)。当 JNA 遇到Structure参数时,它会在调用之前将所有 Java 字段写入本机内存,然后根据本机内存更新它们。

编辑

根据头文件DeviceType应该使用NativeLong;您的声明将无法在 Windows 以外的任何 64 位系统上正常运行。

确保您的库使用stdcall调用约定(名义上这意味着实现StdCallLibrary接口)。

您似乎还为 DeviceType 提供了无效的(“65535”)值;检查返回的值NumDevices[0]是否不为零。

您还应该检查返回值;如果它为零,那么您不应该期望将任何内容写入您的结构。

于 2013-06-27T17:29:20.990 回答