The below code is of multiple inheritance where every class has one member variable, one normal function and one virtual function.
class basec
{
int x;
public:
basec()
{
x = 0;
}
void print()
{}
virtual void xyz()
{}
};
class derivedc: public virtual basec
{
int dc;
public:
derivedc()
{
dc = 0;
}
virtual void xyzdc()
{}
};
class derivedd: public virtual basec
{
int dd;
public:
derivedd()
{
dd = 0;
}
virtual void xyzdd()
{}
};
class child: public derivedc, public derivedd
{
char de;
public:
child()
{
de = '4';
}
virtual void xyzde()
{}
};
main(int argc, char **argv)
{
basec bobj, bobjc;
derivedc dcobj;
derivedd ddobj;
child deobj;
std::cout << "C " << sizeof(basec) << endl;
std::cout << "D " << sizeof(derivedc) << endl;
std::cout << "E " << sizeof(derivedd) << endl;
std::cout << "F " << sizeof(child) << endl;
return(0);
}
Output of the program is as follows:
main()
C 8
D 16
E 16
F 28
Seeing each of the object in gdb I see below:
(gdb) p/x bobj
$1 = {_vptr.basec = 0x8048c80, x = 0x0}
(gdb) p/x dcobj
$3 = {<basec> = {_vptr.basec = 0x8048c5c, x = 0x0}, _vptr.derivedc = 0x8048c4c, dc = 0x0}
(gdb) p/x ddobj
$4 = {<basec> = {_vptr.basec = 0x8048c1c, x = 0x0}, _vptr.derivedd = 0x8048c0c, dd = 0x0}
(gdb) p/x deobj
$5 = {<derivedc> = {<basec> = {_vptr.basec = 0x8048b90, x = 0x0}, _vptr.derivedc = 0x8048b6c, dc = 0x0}, <derivedd> = {_vptr.derivedd = 0x8048b80, dd = 0x0}, de = 0x34}
We see that in the base class "basec" and in each of the virtually derived classes "derivedc" and "derivedd" objects a vptr is added for their vtables.
Question is why the child class inspite of having a virtual function does not have its own vtable and why no vptr of its own in its object? In which class's vtable will the virtual function of child class appear?
The compiler is free to put it in one on of the existing vtables, just like normal inheritance works. The virtual inheritance guarantees you that you have the virtual base class only once.
For example both clang 7 and gcc 8.2 put the
child::xyzde()
in thederivedc
's vtable inchild
. See "vtable for child" (clang 7 and gcc 8.2 on godbolt).If you change
child
base classes to virtual as below you get three separate tables:clang on godbolt:
And if you remove all virtual inheritance you get
basec
twice inchild
as expected (clang on godbolt).C++ vtables - Part 3 - Virtual Inheritance has some short explanation of
VTT
andconstruction vtable for X-in-child
.