As I understand it, polymorphism with references should work exactly as it does with pointers.
However, consider the following example: the calls to doer()
are correctly dispatched when using pointers, but the "B version" seems to be called in both case when using a reference.
I cannot figure out the reason why the following example is behaving in the way it does. Why is the "B version" called in both cases when using a reference?
#include <iostream>
class B;
class C;
void doer(B *x) {
std::cout << "B version" << std::endl;
}
void doer(C *x) {
std::cout << "C version" << std::endl;
}
class A {
public:
virtual ~A() {}
virtual void doit() = 0;
};
class B: public A {
public:
virtual void doit() override {
doer(this);
}
};
class C: public A {
public:
virtual void doit() override {
doer(this);
}
};
int main() {
B b;
C c;
A *a = &b;
a->doit(); // B version gets called, OK
a = &c;
a->doit(); // C version is called, OK
A &d = b;
d.doit(); // B version is called, OK
d = c;
d.doit(); // B version is called again??
}