我正在关注 here 提供的 pinvoke 代码,但我有点害怕将可变长度数组编码为 size=1,然后通过计算偏移量而不是索引到数组来逐步遍历它。没有更好的办法吗?如果没有,我应该如何执行此操作以使其对 32 位和 64 位安全?

    [StructLayout(LayoutKind.Sequential)]
    public struct SID_AND_ATTRIBUTES
    {
        public IntPtr Sid;
        public uint Attributes;
    }

    [StructLayout(LayoutKind.Sequential)]
    public struct TOKEN_GROUPS
    {
        public int GroupCount;
        [MarshalAs(UnmanagedType.ByValArray, SizeConst = 1)]
        public SID_AND_ATTRIBUTES[] Groups;
    };


public void SomeMethod()
{
    IntPtr tokenInformation;

    // ...

    string retVal = string.Empty;
    TOKEN_GROUPS groups = (TOKEN_GROUPS)Marshal.PtrToStructure(tokenInformation, typeof(TOKEN_GROUPS));
    int sidAndAttrSize = Marshal.SizeOf(new SID_AND_ATTRIBUTES());
    for (int i = 0; i < groups.GroupCount; i++)
    {
        // *** Scary line here:
        SID_AND_ATTRIBUTES sidAndAttributes = (SID_AND_ATTRIBUTES)Marshal.PtrToStructure(
              new IntPtr(tokenInformation.ToInt64() + i * sidAndAttrSize + IntPtr.Size),
              typeof(SID_AND_ATTRIBUTES));

    // ...
}

我看到 here 另一种声明数组长度的方法比它可能的长度大得多,但这似乎有其自身的问题。

作为一个附带问题:当我在调试器中逐步执行上述代码时,我无法评估 tokenInformation.ToInt64()ToInt32() 。我得到一个 ArgumentOutOfRangeException。但是这行代码执行得很好!?这里发生了什么?

最佳答案

我认为它看起来没问题——无论如何,就像在无人管理的土地上闲逛一样好。

但是,我想知道为什么开头是 tokenInformation.ToInt64() + IntPtr.Size 而不是 tokenInformation.ToInt64() + 4(因为 GroupCount 字段类型是 int 而不是 IntPtr)。这是为了包装/对齐结构还是只是一些可疑的东西?我不知道这里。

使用 tokenInformation.ToInt64() 很重要,因为如果 IntPtr 值大于 int 可以存储的值,则在 64 位机器上会爆炸(OverflowException)。但是,CLR 将在两种架构上处理很长时间,并且不会更改从 IntPtr 提取的实际值(因此放回 new IntPtr(...) )。

把这个(未经测试的)函数想象成一个方便的包装器:

// unpacks an array of structures from unmanaged memory
// arr.Length is the number of items to unpack. don't overrun.
void PtrToStructureArray<T>(T[] arr, IntPtr start, int stride) {
   long ptr = start.ToInt64();
   for (int i = 0; i < arr.Length; i++, ptr += stride) {
       arr[i] = (T)Marshal.PtrToStructure(new IntPtr(ptr), typeof(T));
   }
}

var attributes = new SID_AND_ATTRIBUTES[groups.GroupCount];
PtrToStructureArray(attributes, new IntPtr(tokenInformation.ToInt64() + IntPtr.Size), sidAndAttrSize);

快乐编码。

关于c# - 如何从 GetTokenInformation() 安全地为 32 位和 64 位调用可变长度的结构数组? C#,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/6066650/

10-12 22:34