4

我正在努力将 C++ 结构数据导出到 C#。

假设我有以下表示 3 个浮点向量的结构:

// C++
struct fvec3
{
public:
    float x, y, z;
    fvec3(float x, float y, float z) : x(x), y(y), z(z) { }
};

// C#
[StructLayout(LayoutKind.Sequential)]
struct fvec3
{
    public float x, y, z;

    public fvec3(float x, float y, float z)
    {
        this.x = x;
        this.y = y;
        this.z = z;
    }
}

现在,如果我想使用fvec3从 C# 到 C++,我可以毫无问题地使用以下内容:

// C++
__declspec(dllexport) void Import(fvec3 vector)
{
    std::cout << vector.x << " " << vector.y << " " << vector.z;
}

// C#
[DllImport("example.dll", CallingConvention = CallingConvention.Cdecl)]
public static extern void Import(fvec3 vector);

...

Import(new fvec3(1, 2, 3)); // Prints "1 2 3".

现在的问题是做相反的事情:将 C++ 返回fvec3到 C#。我怎样才能做到这一点?我已经看到许多 C# 实现使用类似这样的东西:

// C#
[DllImport("example.dll", CallingConvention = CallingConvention.Cdecl)]
public static extern void Export(out fvec3 vector);

...

fvec3 vector;
Export(out vector); // vector contains the value given by C++

但是如何编写 C++Export函数呢?

我尝试了所有我能想到的签名和正文:

// Signatures: 
__declspec(dllexport) void Export(fvec3 vector)
__declspec(dllexport) void Export(fvec3* vector)
__declspec(dllexport) void Export(fvec3& vector)

// Bodies (with the pointer variants)
vector = fvec3(1, 2, 3);
memcpy(&fvec3(1, 2, 3), &vector, sizeof(fvec3));
*vector = new fvec(1, 2, 3);

其中一些没有效果,一些返回垃圾值,还有一些导致崩溃。

4

1 回答 1

4

refout参数通常与指针参数匹配。

试试这个:

__declspec(dllexport) void Export(fvec3 *vector)
{
    *vector = fvec3(1, 2, 3);
}

(未经测试)


或者,您应该能够简单地fvec3从您的函数中返回 a :

// C++
__declspec(dllexport) fvec3 Export(void)
{
    return fvec3(1, 2, 3);
}

// C#
[DllImport("example.dll", CallingConvention = CallingConvention.Cdecl)]
public static extern fvec3 Export();

...

fvec3 vector = Export();

(未经测试)

于 2013-02-23T22:59:34.970 回答