2

我在非托管 Win32 C++ DLL 中有一个通用构造:

// FirstElemPtrContainer.h
#include "stdafx.h"

typedef unsigned char elem_type; // a byte

typedef struct FirstElemPtrContainer {
    unsigned char num_elems;
    void *allocd_ary;
} FirstElemPtrContainer;

结构中的 void* 旨在包含指向已分配字节数组的第一个元素的指针。

然后,使用此定义的 DLL 导出函数来分配、填充和解除分配结构:

// The exported allocator function.
extern "C" _declspec(dllexport) 
    FirstElemPtrContainer *BuildStruct(int elem_count)
{
    FirstElemPtrContainer *fepc_ptr = new FirstElemPtrContainer;
    fepc_ptr->num_elems = elem_count;
    elem_type *ary = new elem_type[fepc_ptr->num_elems];
    for (int i = 0; i < fepc_ptr->num_elems; i++)
    {
        ary[i] = ((i + 1) * 5); // multiples of 5
    }
    fepc_ptr->allocd_ary = ary;

    return fepc_ptr;
}

// The exported deallocator function.
extern "C" _declspec(dllexport) void 
    DestroyStruct(FirstElemPtrContainer *fepc_ptr)
{
    delete[] fepc_ptr->allocd_ary;
    delete fepc_ptr;
}

这些对于本地调用者来说工作得很好。

在 C# 中,我尝试通过 PInvoke 描述相同的结构:

[StructLayout(LayoutKind.Sequential)]
public struct FirstElemPtrContainer
{
    public byte num_elems;
    [MarshalAs(UnmanagedType.LPArray, 
        ArraySubType = UnmanagedType.U1, SizeConst = 4)]
    public IntPtr allocd_ary;
}

...并像这样描述调用接口:

public static class Imports
{
    [DllImport("MyLib", CallingConvention = CallingConvention.Winapi)]
    public static extern IntPtr BuildStruct(int elem_count);

    [DllImport("MyLib", CallingConvention = CallingConvention.Winapi)]
    public static extern void DestroyStruct(IntPtr fepc_ptr);
}

现在我尝试调用我的界面:

class Program
{
    const int NUM_ELEMS = 4;
    static void Main(string[] args)
    {
        IntPtr fepc_ptr = Imports.BuildStruct(NUM_ELEMS);
        if ( fepc_ptr == IntPtr.Zero ) 
        {
            Console.WriteLine("Error getting struct from PInvoke.");
            return;
        }

        FirstElemPtrContainer fepc =
            (FirstElemPtrContainer)Marshal.PtrToStructure(fepc_ptr, 
        typeof(FirstElemPtrContainer));
        //...
    }
}

PtrToStructure() 调用给出了错误“无法封送 'MyLibInvoke.FirstElemPtrContainer' 类型的字段 'allocd_ary':托管/非托管类型组合无效(Int/UInt 必须与 SysInt 或 SysUInt 配对)。”

您可以看到我已经硬编码了特定数量的元素,我们假设调用者遵守这些元素。我还添加了一个 ArraySubType 子句,尽管它似乎没有什么区别。为什么类型不匹配投诉?

4

1 回答 1

2

你的结构应该这样声明:

[StructLayout(LayoutKind.Sequential)]
public struct FirstElemPtrContainer
{
    public byte num_elems;
    public IntPtr allocd_ary;
}

它必须以这种方式完成,因为allocd_ary它是指向非托管内存的指针,并且不能由 p/invoke 编组器编组。

为了阅读allocd_ary你可以使用的内容Marshal.Copy

FirstElemPtrContainer fepc = (FirstElemPtrContainer)Marshal.
    PtrToStructure(fepc_ptr, typeof(FirstElemPtrContainer));
byte[] ary = new byte[fepc.num_elems];
Marshal.Copy(fepc.allocd_ary, ary, 0, ary.Length);

我怀疑这CallingConvention.Winapi是错误的,您应该使用CallingConvention.Cdecl.

于 2012-04-09T18:06:18.727 回答