PROWAREtech
data:image/s3,"s3://crabby-images/1d4cf/1d4cf910d2ef36436d2f4b1402f5107f9b15a3d9" alt=""
data:image/s3,"s3://crabby-images/1d4cf/1d4cf910d2ef36436d2f4b1402f5107f9b15a3d9" alt=""
data:image/s3,"s3://crabby-images/1d4cf/1d4cf910d2ef36436d2f4b1402f5107f9b15a3d9" alt=""
data:image/s3,"s3://crabby-images/1d4cf/1d4cf910d2ef36436d2f4b1402f5107f9b15a3d9" alt=""
data:image/s3,"s3://crabby-images/1d4cf/1d4cf910d2ef36436d2f4b1402f5107f9b15a3d9" alt=""
data:image/s3,"s3://crabby-images/1d4cf/1d4cf910d2ef36436d2f4b1402f5107f9b15a3d9" alt=""
data:image/s3,"s3://crabby-images/1d4cf/1d4cf910d2ef36436d2f4b1402f5107f9b15a3d9" alt=""
data:image/s3,"s3://crabby-images/1d4cf/1d4cf910d2ef36436d2f4b1402f5107f9b15a3d9" alt=""
C++: Polymorphism
A quick example of how polymorphism works.
Polymorphism is a little over hyped. Code execution decisions are made at execution time instead of compilation time.
First an example that does not use polymorphism.
#include <iostream>
using namespace std;
class One
{
public:
void hello() { cout << "hello one" << endl; }
};
class Two : public One
{
public:
void hello() { cout << "hello two" << endl; }
};
int main()
{
One one;
one.hello();
One *pOne = new Two();
pOne->hello(); // executes One::hello(), determined at compile time
Two *pTwo = new Two();
pTwo->hello();
return 0;
}
Now, change the method in the base class to a virtual method and execute the code. This is late-binding/dynamic binding (decided at execution time). The method
hello()
is now polymorphic. This requires dynamic memory (memory not on the stack) using the new
operator. The method Two::hello()
has an "override" of One::hello()
.
#include <iostream>
using namespace std;
class One
{
public:
virtual void hello() { cout << "hello one" << endl; }
};
class Two : public One
{
public:
void hello() { cout << "hello two" << endl; }
};
int main()
{
One one;
one.hello();
One *pOne = new Two();
pOne->hello(); // executes Two::hello(), determined at run time
Two *pTwo = new Two();
pTwo->hello();
return 0;
}
Commentdata:image/s3,"s3://crabby-images/3be64/3be648c3a5c1813f8caf75ae3ff867ceb727a22c" alt=""