我已经定义了以下结构来模拟C++联合(最终将用于C++ Interop):
[StructLayout(LayoutKind.Sequential)]
internal struct STRUCT1
{
public Guid guid;
public String str1;
public String str2;
}
[StructLayout(LayoutKind.Sequential)]
internal struct STRUCT2
{
public Guid guid;
public String str1;
public String str2;
public Int32 i1;
}
[StructLayout(LayoutKind.Explicit)]
internal struct MASTER_STRUCT_UNION
{
[FieldOffset(0)]
public STRUCT1 Struct1;
[FieldOffset(0)]
public STRUCT2 Struct2;
}
[StructLayout(LayoutKind.Sequential)]
internal struct MASTER_STRUCT
{
public MASTER_STRUCT_UNION Union;
}
我编写了以下测试代码,该代码为
Struct1.guid
分配了一个值,并测试Struct2.guid
的相等性:class Class1
{
public static void Test()
{
MASTER_STRUCT ms = new MASTER_STRUCT();
bool match;
ms.Union.Struct1.guid = new Guid(0xffeeddcc, 0xbbaa, 0x9988, 0x77, 0x66, 0x55, 0x44, 0x33, 0x22, 0x11, 0);
Console.WriteLine("Struct1.guid:\t\t{0}\n", ms.Union.Struct1.guid.ToString());
Console.WriteLine("Struct2.integer:\t{0:x}", ms.Union.Struct2.i1);
Console.WriteLine("Struct2.guid:\t\t{0}", ms.Union.Struct2.guid.ToString());
match = ms.Union.Struct1.guid == ms.Union.Struct2.guid ? true : false;
}
}
为什么
Struct2.guid
不等于Struct1.guid
,而是一部分Struct2.guid
的值似乎转移到了Struct2.integer
中? IMO的所有结构成员似乎都是一致的。 最佳答案
LayoutKind.Sequential
仅影响此结构的非托管表示形式。这是因为该结构包含不可引用的类型(即字符串)。
如果仅存在blittable types,则LayoutKind.Sequential
将控制托管和非托管表示形式(reference)。
在您的情况下,编译器决定将整数放在托管表示形式的两个字符串之前(您可以看到,如果在调试时将鼠标悬停在ms
上并展开STRUCT2
,则可以看到)。
您可以通过在LayoutKind.Explicit
和STRUCT1
中同时使用STRUCT2
来解决此问题,因为Explicit
会影响可bbltable和不可bbltable类型的托管和非托管表示形式。
关于c# - C#中的联合: Structure Members Do Not Seem to be Aligned,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/14024483/