可能重复:
unsigned char ** equivalent in c# and have to write the return value in a file
我必须调用win32 dll函数
int func1(int arg1, unsigned char *arg2, int *arg3);
我写了包装c#作为
public extern int fuc1(int arg1, out IntPtr arg2, out IntPtr arg3);
arg2必须分配2048个字节并将其发送到win32 dll。我将获得arg2和arg3作为输出。
如何在c#test应用程序和c#wrapper中声明。我做得对吗?
答案 0 :(得分:3)
字节是无符号的8位int。 byte []是它们的数组。要获取指向此数组的指针,请使用:
var myArray = new byte[2048];
fixed(byte* arg2 = myArray)
{
// use arg2
}
或:
var myArray = new byte[2048];
GCHandle pinnedRawData = GCHandle.Alloc(myArray, GCHandleType.Pinned);
try
{
// Get the address of the data array
IntPtr pinnedRawDataPtr = pinnedRawData.AddrOfPinnedObject();
}
finally
{
// must explicitly release
pinnedRawData.Free();
}
或者,如果被调用的函数不会缓存指向数组的指针,则可以执行以下操作:
public static extern int fuc1(int arg1, [In,Out] byte[] arg2, ref int arg3);
var arg1 = 0;
var arg2 = new byte[2048];
int arg3 = 42; // If this value won't be used, you can skip initializing arg3 and mark arg3 as out instead of ref (of course, this is pedantic and extraneous, and C# shouldn't even have 'out' as a keyword)
func1(arg1, arg2, ref arg3);
P / Invoke会自动固定它。
答案 1 :(得分:1)
在C#中声明函数,如下所示:
[DllImport(@"MyDll.dll", CallingConvention=CallingConvention.Cdecl)]
public static extern int func1(
int arg1,
StringBuilder arg2,
out int arg3
);
然后像这样称呼它:
int arg1 = ...;
StringBuilder sb = new StringBuilder(2048);
int arg3;
int retVal = func1(arg1, sb, out arg3);
string arg2 = sb.ToString();
请注意,C#IntPtr
与C int
不匹配。您需要C#int
来匹配,因为IntPtr
与指针的大小相同,无论是32位还是64位。但是int
总是4个字节。
我假设您的DLL使用cdecl调用约定。如果您使用stdcall,则可以进行明显的更改。
我还假设您的数据实际上是文本数据。如果它只是一个普通的旧字节数组,那么代码就更简单了。
[DllImport(@"MyDll.dll", CallingConvention=CallingConvention.Cdecl)]
public static extern int func1(
int arg1,
byte[] arg2,
out int arg3
);
然后致电:
int arg1 = ...;
byte[] arg2 = new byte[2048];
int arg3;
int retVal = func1(arg1, arg2, out arg3);