1

我有一个用 C# 编写的专用字典,它接受两个通用参数。界面是

public interface IMyDictionary<TKey, TValue> { ... }

及其实现之一

public MyDictionary<TKey, TValue> {...}

我还有一个复杂的 C++ 模板结构,我在我的 C++/CLI ref 类中 typedef:

typedef boost::some_complex_template<stuff>    MySimpleValueType;

在我的 C++/CLI ref 类构造函数中,我曾经创建字典的一个实例:

MyCppCliClass::MyCppCliClass()
    : _my_dict(gcnew MyDictionary<MySimpleValueType, Something^>())
{...}

现在,如果你喜欢依赖注入,你会注意到这很糟糕。理想情况下,我应该有一个这样的构造函数:

MyCppClass::MyCppCliClass(IMyDictionary<MySimpleValueType, Something^>^ dict){...}

这个类是用 C# 实例化的,所以现在我的问题是:

鉴于(afaik)C++ 模板 typedef 和纯 C++ 类型在 C# 中可用,我如何实例化我现在在 C++/CLI 之外使用的这个有效的 ref 类?

MySimpleValueType 显然必须是 C# 的本机类型,否则 Dictionary 的实例化将失败:

error C3225: generic type argument for 'T1' cannot be '...', it must be a value type
> or a handle to a reference type.

我觉得我应该能够在 C++/CLI 类中定义类型(使用 typedef),但是从外部实例化 Dictionary。C++/CLI typedefs 在 C# 中不可用,所以也许有一种方法可以对 var 进行 getter 和类型推导?有任何想法吗?

4

1 回答 1

0

boost 是一个无管理的库。该错误消息告诉您不能在通用托管类中使用非托管类型。

要解决此问题,请创建一个托管类来保存您的非托管类,并在容器中使用它。

public ref class MySimpleValueTypeHolder
{
private:
    MySimpleValueType* unmanaged;

public:
    property MySimpleValueType* ValueType { 
        MySimpleValueType* get() { return this->unmanaged; }
    }

    MySimpleValueTypeHolder() { this->unmanaged = new MySimpleValueType(); }
    ~MySimpleValueTypeHolder() { this->!MySimpleValueTypeHolder(); }

    !MySimpleValueTypeHolder()
    {
        if(this->unmanaged != nullptr)
        {
            delete this->unmanaged;
            this->unmanaged = nullptr;
        }
    }
};

Dictionary<MySimpleValueTypeHolder^, Something^>^ foo;
于 2013-05-31T16:43:28.350 回答