解组包含结构的可变大小数组的结构

时间:2015-09-28 19:32:42

标签: c# arrays structure unmarshalling

我正在尝试解组嵌套在另一个结构中的结构的可变长度数组,如下面的代码所示:

[StructLayout(LayoutKind.Sequential, Pack = 1)]
public struct CardInfoRequest 
{
    public ulong CardId;
    public byte AppListLength;
    [MarshalAs(UnmanagedType.ByValArray, ArraySubType = UnmanagedType.Struct)]
    public CardApp[] AppList;
}
[Serializable()]
[StructLayout(LayoutKind.Sequential, Pack = 1)]
public struct CardApp
{
    public ulong CardAppId;
    public byte SomeInformation;
}

我正在通过以下方式解组它:

        var lDataPointer = Marshal.AllocHGlobal(pSize);            
        Marshal.Copy(pData, 0, lDataPointer, pSize);
        var lResult = Marshal.PtrToStructure(lDataPointer, typeof(CardInfoRequest));
        Marshal.FreeHGlobal(lDataPointer);

其中pData是包含编组结构的字节数组,pSize是运行时的大小(当数组有一个项目时为18,当数组有两个项目时为27,等等......)。

但是,无论流的字节大小,每当我解组它时,我总是得到AppList.Length == 1.

我可以正确解组吗?我应该逐字节地做吗?

提前致谢!

1 个答案:

答案 0 :(得分:2)

pinvoke marshaller不知道它需要创建什么尺寸的阵列。固定大小的缓冲区也无法工作。您必须分两步完成,首先解组前两个成员,现在您知道AppListLength中的数组大小。创建数组,然后在循环中逐个解组数组元素。

粗略(未经测试)

[StructLayout(LayoutKind.Sequential, Pack = 1)]
internal struct CardInfoRequestHeader 
{
    public ulong CardId;
    public byte AppListLength;
}

public struct CardInfoRequest 
{
    public CardInfoRequestHeader Header;
    public CardApp[] AppList;
}

...

var req = new CardInfoRequest();
req.Header = (CardInfoRequestHeader)Marshal.PtrToStructure(pData, typeof(CardInfoRequestHeader));
req.AppList = new CardApp(req.Header.AppListLength);
pData += Marshal.SizeOf(CardInfoRequestHeader);
for (int ix = 0; ix < req.AppList.Length; ++ix) {
    req.AppList = (CardInfo)Marshal.PtrToStructure(pData, typeof(CardInfo));
    pData += Marshal.SizeOf(CardInfo);
}

请注意ulongPack = 1是红旗,非托管数据很少看起来像。代码片段确实假设Pack = 1是准确的。