1

我想用 C++/CLI 包装一个本地库。它适用于原始类型。但在以下情况下,它更复杂:

interface ISampleInterface
{
    void SampleMethod();
}

public ref class NativeClassWrapper {
    NativeClass* m_nativeClass;

public:
    NativeClassWrapper() { m_nativeClass = new NativeClass(); }
    ~NativeClassWrapper() { delete m_nativeClass; }
    void Method(ISampleInterface ^i) {
        ???
        m_nativeClass->Method(i);
    }
};

如何包装这个?因为本机代码 C++ 不知道 ISampleInterface 类型...(与虚拟类相同的问题)

谢谢。

4

2 回答 2

2

如果您的本机类需要回调到 .NET 代码中,则需要使用gcroot模板。你可以将托管对象存储在非托管类中。在这个非托管类中,您可以使用本机“回调”,然后使用存储在“gcroot”中的成员回调到托管代码(ISampleInterface)。

也可以看看:

于 2013-08-01T13:03:22.810 回答
2

代码片段中有一些错误。让我们从一个干净的例子开始,首先声明原生类:

#pragma unmanaged
class INativeInterface {
public:
    virtual void SampleMethod() = 0;
};

class NativeClass {
public:
    void Method(INativeInterface* arg);
};

和托管接口:

#pragma managed
public interface class IManagedInterface
{
    void SampleMethod();
};

因此,您需要一个派生自 INativeInterface 的本机包装类,以便您可以将它的实例传递给 NativeClass::Method()。这个包装器所要做的只是将调用委托给相应的托管接口方法。通常是一个简单的单行,除非需要转换参数类型。像这样:

#pragma managed
#include <msclr\gcroot.h>

class NativeInterfaceWrapper : public INativeInterface {
    msclr::gcroot<IManagedInterface^> itf;
public:
    NativeInterfaceWrapper(IManagedInterface^ arg) : itf(arg) {};
    virtual void SampleMethod() {
        itf->SampleMethod();
    }
};

现在您的方法实现变得简单:

void Method(IManagedInterface^ i) {
    NativeInterfaceWrapper wrap(i);
    m_nativeClass->Method(&wrap);
}
于 2013-08-01T13:16:53.903 回答