.NET 中的固定字段非常特殊。您拥有的固定字段 ( public fixed byte foo[10]
) 被编译为特殊的嵌套结构,并且您的固定字段的类型被更改为该嵌套结构。简而言之,这是:
public fixed byte foo[10];
编译成这样:
// This is the struct that was generated, it contains a field with the
// first element of your fixed array
[CompilerGenerated, UnsafeValueType]
[StructLayout(LayoutKind.Sequential, Size = 10)]
public struct <foo>e__FixedBuffer0
{
public byte FixedElementField;
}
// This is your original field with the new type
[FixedBuffer(typeof(byte), 10)]
public <foo>e__FixedBuffer0 foo;
您可以使用 ILSpy 之类的工具亲眼看到这一点。
现在,如果您在 C# 中的代码有一行GetString(obj.foo)
,它将被编译为:
GetString(&obj.foo.FixedElementField);
因此,它从字面上获取数组第一个元素的地址并将其作为参数传递给方法(因此GetString
参数的类型是正确的byte*
)。
当您在 IronPython 中使用相同的参数调用相同的方法时,参数类型仍然是您的字段类型:<foo>e__FixedBuffer0
,不能转换为byte*
(显然)。进行此方法调用的正确方法是执行与 C# 编译器相同的替换 - 获取 的地址FixedElementField
并将其传递给GetString
,但不幸的是,Python(据我所知)没有类似于&
C#。
结论是:您不能直接从 IronPython 访问固定字段。我会说你最好的选择是有一个“代理”方法,比如:
public string GetFooString(Baz baz)
{
return new string((sbyte*)baz.foo);
}
PS 我不是 IronPython 专业人士,所以也许有一种直接访问 foo 道具的超级方法,但我只是不知道如何。