0

以下是我的代码片段

class Program
{
    static void Main(string[] args)
    {
        Program.GetState(new State() { enabled = true, currentLimit = 30 });
    }

    private static void GetState(State result)
    {
        IntPtr Ptr = Marshal.AllocHGlobal(Marshal.SizeOf(result));
        Marshal.StructureToPtr(result, Ptr, false);
    }
}

[StructLayout(LayoutKind.Sequential)]
public struct State
{
    [MarshalAsAttribute(UnmanagedType.I8)]
    public uint currentLimit;
    [MarshalAsAttribute(UnmanagedType.I1)]
    public bool enabled;
}

它总是抛出一个错误,即

类型“MarshellingStructureSize.State”不能作为非托管结构封送;无法计算出有意义的大小或偏移量

我的意图是通过 pInvoke 发送本机 DLL 的结构,但是当我尝试通过 Marshal 为托管代码中的结构分配内存时,它总是抛出错误。

任何帮助将不胜感激。

4

1 回答 1

2

uint实际上是System.UInt32在内存中占用 4 个字节的别名。我认为currentLimit无法在内存中转换为 8 个字节,这就是您收到错误的原因。

[MarshalAsAttribute(UnmanagedType.I8)]
public uint currentLimit;

I8用于有符号的 8 字节整数。尝试将其更改为U4or I4

[MarshalAsAttribute(UnmanagedType.U4)]
public uint currentLimit;

或者按照@Hans Passant 的建议将类型更改为currentLimitulong

[MarshalAsAttribute(UnmanagedType.I8)] //or U8 
public ulong currentLimit;

这行得通。

于 2013-10-11T12:25:25.607 回答