As far as I know, virtual function call usually requires pointer or reference. So I am very surprised by the following codes.
#include <iostream>
using namespace std;
class B{
public:
void runB(){ call(); }
virtual void call(){ cout<<"B\n"; };
};
class D: public B{
public:
void runD(){ runB(); }
void call(){ cout<<"D\n"; }
};
int main(){
D d;
d.runD();
}
The output is
D
Could someone please comment why this virtual function call works? Thanks。
The difference between virtual to not virtual is:
not virtual - always goes by the caller object/reference/pointer type.
virtual - reference/pointer - goes by the created object type.
virtual - object - goes by the caller.
for example:
Firstly, virtual function call does not require a pointer or a reference. As far as the language is concerned, any call to virtual function is a virtual call, unless you explicitly suppress the virtual dispatch mechanism by using a qualified function name. For example, these
are calls which were explicitly forced to be non-virtual. However, this
is a virtual call. In this case it is immediately obvious to the compiler that the target function is
D::call()
, so the compiler normally optimizes this virtual call into a regular direct call. Yet, conceptually,d.call()
is still a virtual call.Secondly, the call to
call()
made insideB::runB()
is made through a pointer. The pointer is present there implicitly. Writingcall()
insideB::runB()
is just a shorthand for(*this).call()
.this
is a pointer. So that call is made through a pointer.Thirdly, the key property of virtual call is that the target function is chosen in accordance with the dynamic type of the object used in the call. In your case, even when you are inside
B::runB()
the dynamic type of the object*this
isD
. Which is why it callsD::call()
, as it should.Fourthly, what you really need a pointer or a reference for is to observe the actual polymorphism. Polymorphism proper occurs when static type of the object expression used in the call is different from its dynamic type. For that you do indeed need a pointer or a reference. And that is exactly what you observe in that
(*this).call()
call insideB::runB()
. Even though the static type of*this
isB
, its dynamic type isD
and the call is dispatched toD::call()
.Within a member function, any references to other member functions or variables are implicitly resolved via the
this
pointer. So in the definition ofrunB()
, thecall()
really meansthis->call()
. The virtual function call is performed using the current object's virtual table.