For many classes C1
, C2
, and so forth, the initialization looks equal, and it's just a little something differs from class to class. Hence I created a base class B
that hosts the initalizations, e.g.:
class B {
public:
B()
{
// complex initializations
int a = doSomething();
// more complex stuff with `a`
};
virtual int doSomething()
{return 2 * doSomethingHelper();}
protected:
virtual int doSomethingHelper() = 0;
};
class C: public B {
protected:
virtual int doSomethingHelper()
{return 1;}
};
int main() {
C c;
return 0;
}
This code fails with
pure virtual method called
terminate called without an active exception
Aborted (core dumped)
since doSomethingHelper()
is used to initialize B
.
I'm wondering if there is a better design. My objectives are:
Make
C
's user interface as easy as possible:C
has no constructor arguments.Make
C
itself as minimalistic as possible such that other concretizations ofB
are short. Ideally, it only contains thedoSomethingHelper
.
A suggestion for a more sane design would be appreciated.
According to the standard:
This is because, when you construct C:
first the subobject B is constructed using the B() constructor. At that time, it's still B's virtual functions which are used. You get the error because at this moment, doSomethingHelper() is not defined for it.
Only once B() is completed will the virtual will C's virtual functions become active.
Two phased initialisation
This situation can only be avoided through a two phased initialisation: first construction, then calling an initialisation function. Not so nice and user friendly as you'd have desired.
The two phased initialisation could then be triggered via C's constructor:
Variant for the two-phased initialisation
There's a small variant that you can use, to hide the two phase approach, and let more freedom for the user about defining or not their own constructor.
In B you define an auxiliary nested class:
In C , you just need to add a protected member variable:
The standard's rules ensure that first B is constructed and then the members of C. Demo here.