c#调DLL

c#调用C++封装的DLL确实是一件很麻烦的事情,特别是别人写的DLL不能进入调试时,只能当成黑箱,一种种方法试。总结经验,以后少走弯路。

DLL接口中的数组指针

非托管代码分配的指针,不能直接赋给托管数组。
对于简单数据结构,数组指针只传入可直接用数组xxx,只传出用out xxx[0],既传入又传出用ref xxx[0].
例如:dll中int fun(unsigned char* a,int* b);c#声明int fun(ref byte c,ref int d);c#调用时,先定义byte c,int[] d=new int[10],然后赋值;调用fun(ref c,ref d[0]).
ref/out区别:既输入又输出用ref,必须先赋值;只输出用out。
对于结构体数组指针考虑以下三种方法:
方法1:使用ref/out关键字。这种方法对于结构体数组指针有时候只能返回数组的第一个元素, 原因未知。
方法2:定义成intptr,用marshal类解析该指针。这种方法一般不会有问题。

mStruct[] structArray= new mStruct[count];
int size = Marshal.SizeOf(typeof(mstruct));
IntPtr struArrayPtr = Marshal.AllocHGlobal(size * count);
dllFun(struArrayPtr);
for (int i= 0; i< count; i++)
{
    IntPtr ptr = (IntPtr)((UInt32)struArrayPtr + i* size);
    structArray[i] = (mStruct)Marshal.PtrToStructure(ptr, typeof(mStruct));
}
Marshal.FreeHGlobal(struArrayPtr);

方法3:使用不安全代码,unsafe关键字,直接用指针。

你可能感兴趣的:(c#,c#)