- 简单的来说,虚函数的作用是当基类调用派生类的对象时,能够实现多态,即虚函数会优先调用派生类的对应函数。
- 那么虚析构函数的作用:就是释放派生类的内存,防止内存泄漏。
实例: - 第一种情况,当没有虚析构函数时:
// VirtualDemo.cpp : 定义控制台应用程序的入口点。
// 虚析构函数使用
#include "stdafx.h"
#include <memory>
#include <iostream>
using namespace std;
class A{
public:
A(){
cout << "A Init()" << endl;
}
~A(){
cout << "A Destroy()" << endl;
}
};
class B:public A{
public:
B(){
cout << "B init()" << endl;
}
~B(){
cout << "B destroy()" << endl;
}
};
void test()
{
unique_ptr<A> demo(new B());
}
int _tmain(int argc, _TCHAR* argv[])
{
test();
system("pause");
return 0;
}
运行结果:
可以发现,只释放了A的内存,B的析构函数没有被调用
- 接下来是添加虚析构函数的代码
// VirtualDemo.cpp : 定义控制台应用程序的入口点。
// 虚析构函数使用
#include "stdafx.h"
#include <memory>
#include <iostream>
using namespace std;
class A{
public:
A(){
cout << "A Init()" << endl;
}
virtual ~A(){
cout << "A Destroy()" << endl;
}
};
class B:public A{
public:
B(){
cout << "B init()" << endl;
}
~B(){
cout << "B destroy()" << endl;
}
};
void test()
{
unique_ptr<A> demo(new B());
}
int _tmain(int argc, _TCHAR* argv[])
{
test();
system("pause");
return 0;
}
运行结果:
可以看出,此时B的析构函数也被调用,至于为什么也被调用,那就是虚函数表的作用,这个和虚函数的原理是一摸一样的,在此,不继续赘述了。能明白就还好~
重点:
只针对需要作为基类的包含虚函数的类才添加虚析构函数,其他的东西 添加纯属扯淡。
虚函数表在编译的时候就确定了,而类对象的虚函数指针vptr是在运行阶段确定的,这是实现多态的关键!