如果用base class的pointer指向child class的obj
呼叫virtual member function時會呼叫到child class的
如下面的example2
我的問題是如果要讓child member function覆蓋(override)
base class裡的為什麼不直接宣告成child class?
這樣就可以直接覆蓋了,如example1, example3
缺點是什麼?
例如最常用來解釋多型的樂器的例子
class 樂器
{
public:
virtual void Play( );
};
然後讓
class 長笛 : public 樂器;
class 鋼琴 : public 樂器;
//方法一
樂器 *ptr=new 長笛;
ptr->Play(); //為了可以執行到長笛裡的Play(吹)所以要用virtual
delete ptr;
ptr=new 鋼琴;
ptr->Play(); //從吹長笛變成彈鋼琴
//方法二
長笛 *ptr=new 長笛
ptr->Play(); //不需要virtual關鍵字就可以override樂器class中的Play
鋼琴 *ptr2=new 鋼琴
ptr2->Play();
方法二是不是就不算多型?而且是early binding?
什麼情況下一定要用方法一?或是方法一比起方法二有什麼優點?
http://codepad.org/IJtr6CAS
#include <iostream>
using std::cout;
using std::endl;
class Base1{
public:
int a;
Base1():a(1){};
~Base1(){};
void printA(){
cout<<"A:Base1, a="<<a<<endl;
};
void printB(){
cout<<"B:Base1, a="<<a<<endl;
};
virtual void printC(){
cout<<"C:Base1, a="<<a<<endl;
};
};
class Derived1: public Base1 {
public:
int a;
Derived1():a(2){};
~Derived1(){};
void printB(){
cout<<"B:Derived1, a="<<a<<endl;
};
void printC(){
cout<<"C:Derived1, a="<<a<<endl;
};
};
int main(){
//example1
Derived1 test=Derived1();
test.printA(); //OUTPUT: A:Base1, a=1
test.printB(); //OUTPUT: B:Derived1, a=2
test.printC(); //OUTPUT: C:Derived1, a=2
cout<<test.a<<endl; //OUTPUT: 2
cout<<"