C++中虚析构函数的作用

来源:互联网 发布:素描绘画软件 编辑:程序博客网 时间:2024/05/18 09:40
我们知道,用C++开发的时候,用来做基类的类,其析构函数一般都是虚函数。可是,为什么要这样做呢?下面用一个小例子来说明:
有下面的两个类:
class Base{public:Base() {};virtual ~Base(){ cout << "Output from the destructor of class Base!" << endl; };virtual void DoSomething() { cout << "Do something in class Base!" << endl; };};class Derived : public Base{public:Derived() {};~Derived(){ cout << "Output from the destructor of class Derived!" << endl; };void DoSomething() { cout << "Do something in class Derived!" << endl; };};Base *pBase = new Derived();pBase->DoSomething();delete pBase;
以上代码的输出结果是:
Do something in class Derived!
Output from the destructor of class Derived!
Output from the destructor of class Base!
这个很简单,非常好理解。但是,如果把类Base析构函数前的virtual去掉,那输出结果就是下面的样子了:
Do something in class Derived!
Output from the destructor of class Base!
也就是说,类Derived的析构函数根本没有被调用!一般情况下类的析构函数里面都是释放内存资源,而析构函数不被调用的话就会造成内存泄漏。我想所有的C++程序员都知道这样的危险性。当然,如果在析构函数中做了其他工作的话,那你的所有努力也都是白费力气。
所以,文章开头的那个问题的答案就是:这样做是为了当用一个基类的指针删除一个派生类的对象时,派生类的析构函数会被调用。
当然,并不是要把所有类的析构函数都写成虚函数。因为当类里面有虚函数的时候,编译器会给类的对象添加一个虚函数表,里面来存放虚函数指针,这样就会增加类的对象的存储空间。所以,只有当一个类被用来作为基类的时候,才把析构函数写成虚函数。关于虚函数表,请参看另一篇博文 “C++虚函数表解析”。
0 0