Re: why should base class object points to derived class object (virtual
function question) ?
DanielJohnson wrote:
While trying to understand the working principle of virtual functions,
I asked myself that why in this world do we need virtual functions at
the first place ?
Why do base class object needs to points to derived class object ?
One example where virtual functions are very handy is with callback
interfaces.
Assume that you have, for example, a class named "MyClass", which has
a member function named "MouseClick(int x, int y)", and then you create
an instance of this class and you want to tell a GUI library "when the
user clicks a mouse button, call the MouseClick() function of this
instance". How would you do that?
You could make this GUI library so that it takes some function pointer
and calls that. However, a function pointer can only point to a regular
function, not the member function of an object, so there's no way to
automatically pass the object to this function. (The "MyClass" class may
have some member data needed in the implementation of "MouseClick()".)
One possibility would be that the GUI library takes the function pointer
and a void pointer to some unspecified data, and then passes this void
pointer to the callback function. This would work, but it's very ugly
and error-prone (for example you have to cast from void* to MyClass*
pointer in the function, and just assume that it's ok).
A much more elegant solution is for the GUI library to declare a
callback interface. In C++ this is simply a class with some (usually
pure) virtual functions. In this case it could be, for example, a class
named "MouseCallback" and have the "MouseClick()" function as a virtual
member function. Then "MyClass" would inherit from "MouseCallback" and
implement that function.
Now the GUI library can take a pointer of type "MouseCallback" even
though it's really pointing to an object of type "MyClass", and call the
"MouseClick()" function through that pointer, and the proper function of
"MyClass" will be called. The GUI library doesn't even need to know that
"MyClass" exists for this to work.
So here we have an example of a base class pointer pointing to an
object of a derived type, and a virtual function being called using this
pointer, which ends up calling the function in the derived class
(without the calling code having to even know what type the derived
class is). This is a pretty common technique.