1

我正在尝试将派生自模板化基类的对象存储在 STL 映射中。但是,尝试插入派生(或实际上是基)对象会返回:

C2440 'initializing' : cannot convert from 'CBase<T> ' to 'CBase<T>'

我知道使用派生类是使 STL 容器异构的一种公认方法 (http://www.parashift.com/c++-faq-lite/containers.html#faq-34.4)。我想知道在这种情况下是否可以使用模板。这将非常方便,因为我可以在基类中对一系列容器进行单一声明,这些容器在编译时为我的各种类型实例化,而不是在非模板派生类中重复声明。

我的代码如下:

//Header
using namespace std;

template<class T>
class CBase
{
    public:
        CBase::CBase() {};
        virtual CBase::~CBase() {};
        vector<pair<int, T> > RetrieveVect() { return vect; };

    private:
        vector<pair<int, T> > vect;
};

class CDerivedString : public CBase<string>
{
    ...
};

class CDerivedInt : public CBase<int>
{
    ...
};

//cpp
int main(void)
{
    //Map specialised for pointer to base class
    map<string, CBase<class T>* > m_myMap;

    string s = "key";

    //Create and insert object (base class)
    CBase<int> *dataInt = new CBase();
    //The following results in error C2440: 'initializing' : cannot convert from 'CBase<T> ' to 'CBase<T>
    m_myMap.insert(std::make_pair(s, dataInt));

    //Create and insert object (derived class)
    CBase<int> *dataBase = new CBase<int>();
    //The following results in error C2440: 'initializing' : cannot convert from 'CBase<T> ' to 'CBase<T>
    m_myMap.insert(pair<string, CBase<class T>* >(s, static_cast<CBase*>(dataInt)));
}

我尝试在派生类指针上执行 dynamic_cast 以将其转换为基指针类型,但这也不起作用:

//error C2440: 'static_cast' : cannot convert from 'CBase<T> *' to 'CBase<T> *'
m_myMap.insert(pair<string, CBase<class T>* >(s, static_cast<CBase<class T>*>(dataInt)));  
4

3 回答 3

6

以下行:

map<string, CBase<class T>* > m_myMap;

几乎可以肯定并不意味着您认为它会做什么。这相当于:

map<string, CBase<T>* > m_myMap;

即:'T' 是一个具体的类,而不是模板参数。类之间当然没有关系:

CBase<int> 

CBase<T>

因此出现错误消息 - 您从未定义(或打算)具体类“T”。使用正确的基础获取 SCFrench 的评论,然后在地图<>中使用它:

map<string, CBase<int>* > m_myIntMap;

将允许您存储具体的 CDerivedInt* 对象。如果要存储任何对象,请定义一个完全通用的基础:

 class CBaseAbc 
     { 
        virtual ~CBaseAbc() = 0;
     };
 template<class T>
 class CBase : public CBaseAbc 
    {
     // etc.
    };

map<string, CBaseAbc* > m_myAnthingMap;
于 2011-02-07T02:26:38.610 回答
1

使用Boost 的 Pointer Containers,它完全提供了您尝试过的“专门用于指向基类的指针的映射”:

// Use whichever is appropriate since you've written CBase as a template:
boost::ptr_map<string, CBase<int> > m_myMap;
boost::ptr_map<string, CBase<string> > m_myMap;

// If CBase were instead not a template base class:
boost::ptr_map<string, CBase> m_myMap;

由于您在 CBase 的接口中使用 T,因此您似乎希望将 CBase 保留为模板,但请注意,在这种情况下,派生自 CBase<int> 和 CBase<string> 的类之间没有公共基类,因为它们是两种不同的类型,并且您不能将派生自其中任何一种的类存储在单个容器中。

于 2011-02-07T01:33:25.677 回答
0

您需要有一个基类来存储在std::map; 它需要是非模板类或模板的特定实例。CBase除非所有实例都有一个公共基类,否则不可能存储“任何实例”。您可能还想考虑使用boost::shared_ptrstd::shared_ptr自动管理对象的生命周期。

于 2011-02-07T01:33:49.380 回答