我的VC ++ Win32 DLL中有一个函数定义
DEMO2_API void ProcessData(char* i_buff, unsigned short i_len, char* o_buf,
unsigned *o_len, unsigned short *errorCode)
{
__describe (i_buff,&i_len,o_buf,o_len,errorCode);
}
这个dll函数由c#应用程序调用。 调用时,会生成访问冲突异常。
重新研究后,我找到了问题的原因。
但无法理解他们在示例代码中究竟是什么。 有人可以这样解释一下吗?
外部分配内存后,c#中的P / Invoke签名是什么?
答案 0 :(得分:0)
C#使用IntPtr表示外部分配的内存。 C#指针和引用只能与垃圾收集器提供的内存一起使用。
System.InteropServices.Marshal类提供了一些与IntPtr表示的本机内存区域交互的方法,当然它们不是类型安全的。
但是我的函数中没有看到任何可以返回指向已分配内存的指针。你需要一个双指针参数或一个指针返回值,你没有。
编辑按要求添加示例:
// this doesn't work right
void external_alloc_and_fill(int n, int* result)
{
result = new int[n];
while (n-- > 0) { result[n] = n; }
}
extern external_alloc_and_fill(int n, int* result)
int a = 5;
fixed (int* p = &a) {
external_alloc_and_fill(17, p);
// p still points to a, a is still 5
}
更好:
// works fine
void external_alloc_and_fill2(int n, int** presult)
{
int* result = *presult = new int[n];
while (n-- > 0) { result[n] = n; }
}
extern external_alloc_and_fill2(int n, ref IntPtr result)
int a 5;
IntPtr p = &a;
external_alloc_and_fill2(17, ref p);
// a is still 5 but p is now pointing to the memory created by 'new'
// you'll have to use Marshal.Copy to read it though
答案 1 :(得分:0)
我将O_len的传递模式更改为 out 而不是 ref ,并且它可以正常工作。
让每个人都给出了很好的答案和评论。我希望这对其他社区成员有用(加上谷歌搜索......)