1

我正在围绕无法更改的本机 C++ dll 编写 CLI/C++ 包装器。本机 DLL 的一个函数返回一个非托管对象的向量。将此向量包装在我的 CLI 包装器中的最佳方法是什么?CLI 包装器将由 C# 应用程序使用。

class __declspec(dllexport) Instrument
{
  public:
        Instrument();
        ~Instrument();
        string _type;
        unsigned int _depth;
}

本机 DLL 具有函数 getInstruments() ,这是我要包装的

 class __declspec(dllexport) InstrumentList
   {
       InstrumentList();
       ~InstrumentList();
       vector<Instrument*> getInstruments();
   }

所以我需要将仪器类包装在一个托管类中,并将 InstrumentList 类包装在一个托管类中。我包装了 Instrument 类,但需要将 getInstruments() 返回的向量转换为 InstrumentList 的 CLI 包装器可以返回的等效值。

4

2 回答 2

4

您可能根本不想包装 InstrumentList。

只需使用其中一个库存 .NET 集合(您可以从 C++/CLI 访问)并制作您的 Instrument 包装器集合。我一直在使用 ObservableCollection,因为我想将数据绑定到我的集合中。

例子:

public ref class MyManagedType
{
    public:
        MyManagedType(MyNativeType* pObject) { m_pObject = pObject };

    private:
        MyNativeType* m_pObject;
}

然后像这样创建托管集合:

ObservableCollection<MyManagedType^>^ managedCollection = gcnew ObservableCollection<MyManagedType^>();

最后,将对象添加到集合中:

managedCollection->Add(gcnew MyManagedType(pNativeObject));

保持本机和托管集合同步需要一些努力,但效果很好。

于 2011-05-19T20:37:20.297 回答
4

除非您想延迟编组Instrument::_type直到访问其托管外观,否则这应该可以帮助您开始:

public ref class InstrumentM
{
    String^ _type;
    unsigned _depth;

internal:
    explicit InstrumentM(Instrument const& i)
      : _type(gcnew String(i._type.c_str())),
        _depth(i._depth)
    { }

public:
    property String^ Type { String^ get() { return _type; } }
    property unsigned Depth { unsigned get() { return _depth; } }
};

public ref class InstrumentListM
{
    InstrumentList* _list;

public:
    InstrumentListM() : _list(new InstrumentList()) { }
    ~InstrumentListM() { this->!InstrumentListM(); }
    !InstrumentListM()
    {
        delete _list;
        _list = nullptr;
    }

    array<InstrumentM^>^ GetInstruments()
    {
        if (!_list)
            throw gcnew ObjectDisposedException(L"_list");

        vector<Instrument*> const& v = _list->getInstruments();
        array<InstrumentM^>^ ret = gcnew array<InstrumentM^>(v.size());
        for (int i = 0, i_max = ret->Length; i != i_max; ++i)
            if (v[i])
                ret[i] = gcnew InstrumentM(*v[i])
        return ret;
    }
};
于 2011-05-19T20:43:38.417 回答