我试图查看调用属于一长层次结构的类的虚拟析构函数的影响:从A类到E类。
奇怪的是,析构函数没有向控制台写入任何内容。我首先以为这可能是因为main也要退出了。因此,我将所有测试代码放在一个名为test()的函数中,并从main()内调用,这样当测试返回时,我会看到析构函数的足迹。但是,什么都没有!在控制台上没有“COUT”迹象显示!
#include <iostream>
using namespace std;
//A constructor cannot be virtual but a destructor can.
class A {
public:
A() {
cout << "A constructor" << endl;
}
virtual ~A() {cout << "A destructor" << endl;}
};
class B :public A {
public:
B() {
cout << "B constructor" << endl;
}
virtual ~B() {cout << "B destructor" << endl;}
};
class C :public B {
public:
C() {
cout << "C constructor" << endl;
}
virtual ~C() {cout << "C destructor" << endl;}
};
class D :public C {
public:
D() {
cout << "D constructor" << endl;
}
~D() {cout << "D destructor" << endl;}
};
class E :public D {
public:
E() {
cout << "E constructor" << endl;
}
~E() {cout << "E destructor" << endl;}
};
void test() {
cout << "Test1 begins..." << endl;
A* a1 = new D();
cout << "Test2 begins..." << endl;
A* a2 = new E();
}
int main() {
test();
return 0;
}
答案 0 :(得分:6)
嗯......你居然泄漏的。
由new
关键字创建的每个对象都必须具有等效的delete
:
void test() {
cout << "Test1 begins..." << endl;
A* a1 = new D();
cout << "Test2 begins..." << endl;
A* a2 = new E();
delete a1;
delete a2;
}
开发人员(就您而言)总是忘记删除动态分配的对象,因此引入了智能指针:
void test() {
cout << "Test1 begins..." << endl;
std::unique_ptr<A> a1(new D());
cout << "Test2 begins..." << endl;
std::unique_ptr<A> a2(new E());
}
无需担心泄漏,因为unique_ptr
在超出范围时会自动删除其指针。
答案 1 :(得分:3)
您永远不会delete
原始指针。宁愿智能指针到原始的。
您应该添加
delete a1;
delete a2;
在test
末尾附近。
还要尝试将E的某些实例创建为automatic variable(通常在调用堆栈上)。例如,插入
E ee;
在这两个delete
-s之间。