I am attempting to store objects derived from a templated base class in an STL map. However, attempting to insert derived (or indeed base) objects returns:
C2440 'initializing' : cannot convert from 'CBase<T> ' to 'CBase<T>'
I understand using derived classes is one accepted way of making an STL container heterogenous (http://www.parashift.com/c++-faq-lite/containers.html#faq-34.4). I would like to know if it is possible to use a template in this context. It would be very convenient as I could have a single declaration of a range of containers in the base class that are instantiated for my various types at compile time, instead of duplicate declarations in non-templated derived classes.
My code is as follows:
//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)));
}
I've tried doing a dynamic_cast on the derived class pointer to cast it to a base pointer type but this didn't work either:
//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)));
The following line:
almost certainly does not mean what you think it does. This is equivalent to:
That is: 'T' is a concrete class, not a template parameter. There is of course no relationship between the classes:
and
Hence the error message - you have never defined (or intended to) the concrete class 'T'. Take SCFrench's comment re using the correct base and then use that in the map<>:
will allow you to store the concrete CDerivedInt* objects. If you want to store any object, define a fully generic base: