-1

我对 c++ 很陌生,所以我可能在这方面有一些错误。所以我开始编写简单的 C++ 函数,该函数将包含 struct 作为返回类型:

我的 C++ 结构:

struct a {
   int i;
};

我在 library.h 文件中的 c++ 函数声明:

extern "C" __declspec(dllexport) struct a retNumber(); 

library.cpp 文件中的我的 c++ 函数描述:

struct a retNumber()
{
   struct a r = a();
   r.i = 22;
   return r;
}

所以我只想编译它,然后在 c# 代码中使用它,我得到以下编译错误:

error C2371: 'retNumber' : redefinition; different basic types
error C2526: 'retNumber' : C linkage function cannot return C++ class 
error C2556: 'a retNumber(void)' : overloaded function differs only by return type from 'void retNumber(void)'  

这是我问题的第一部分,如果你们能帮我解决它,我将非常感激,一旦它解决了,我将在我的 c# 代码中声明相同的结构:

struct a1
{
    int i;
}

然后我要导入我的 c++ 函数:

[DllImport("library.dll")]
public static extern a1 retNumber();

完成后,我将创建 GCHandle:

a1 test = retNumber();
GCHandle handle = GCHandle.Alloc(test, GCHandleType.Pinned); 

然后我将尝试转换我的实际结果并释放内存:

        Object temp = Marshal.PtrToStructure(handle.AddrOfPinnedObject(), typeof(a1));
        handle.Free();

所以到这个时候我应该有一个类型为 a1 并包含值为 22 的变量 i 的对象。

如果任何人都可以请通过这个过程,我将不胜感激!非常感谢您提前!!!

4

1 回答 1

1

在 C++ 方面,您需要将所有内容包装在 中extern "C",包括结构:

extern "C" {
    struct a {
       int i;
    };
};

在 C# 方面,您需要正确指定调用约定:

[DllImport("library.dll", CallingConvention=CallingConvention.Cdecl))]
public static extern a1 retNumber();

一旦你这样做了,就不需要Marshal.PtrToStructure打电话了。做就是了:

a1 test = retNumber();
Console.WriteLine(a1.i); // Should print 22
于 2013-08-28T18:50:11.643 回答