Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

C++ templates and inheritance

can I mix inheritance and templates this way ? :

template <class T> 
class AbstractType { // abstract
//....
}

template <class T> 
class Type1 : public AbstractType<T> {
//....
}

And later on, can I use these classes like this:

AbstractType<SomeClass>* var1 = new Type1<SomeClass>();

Thx for help.

like image 909
Sebastian Dusza Avatar asked Dec 09 '22 13:12

Sebastian Dusza


2 Answers

You can, but it's not going to be as useful as you may think. You can define the structures like this:

#include <string>
#include <vector>
using namespace std;

template<typename Val>
class Base
{
public:
    virtual Val DoIt() const = 0;
};

template<typename Val>
class Derived : public Base<Val>
{
public:
    Derived(const Val& val) : val_(val) {};
    Val DoIt() const { return val_; }
protected:
    Val val_;
};

int main()
{
    Derived<string> sd("my string");
    string sd_val = sd.DoIt();

    Derived<float> fd(42.0f);
    float fd_val = fd.DoIt();
}

But when you're defining abstract base types, you're often going to want a collection of them, and to be able to call through a base class pointer to get polymorphic behavior. If you templatize the base class, you're not going to be able to do this because each variation of the template parameters will create a different type. Base<int> is completely different than Base<string>, and you can't just get a Base* that points to either one.

This code will not compile:

vector<Base*> my_objs;
like image 146
John Dibling Avatar answered Dec 12 '22 03:12

John Dibling


Yes, you can. You can use the template parameter for whatever you want, passing into the base templated class included.

like image 41
sharptooth Avatar answered Dec 12 '22 03:12

sharptooth