我编写了以下虚拟类来了解复制构造函数、复制赋值运算符和析构函数的工作原理:
#include <string>
#include <iostream>
class Box {
public:
// default constructor
Box(int i=10,const std::string &t=std::string()) : a(i),s(new std::string(t)) {}
// copy constructor
Box(const Box &other) { a=other.a; s=new std::string(*other.s); }
// copy assignment operator
Box &operator=(const Box &other) { a=other.a; s=new std::string(*other.s); }
// destructor
~Box() { std::cout<<"running destructor num. "<<++counter<<std::endl; }
int get_int() { return a; }
std::string &get_string() { return *s; }
private:
int a;
std::string *s;
static int counter;
};
int Box::counter=0;
我在我的代码中使用这个类类型来测试它是如何工作的,但我正在考虑销毁具有内置指针类型成员的对象的含义:
#include "Box.h"
using namespace std;
int main()
{
Box b1;
Box b2(2,"hello");
cout<<b1.get_int()<<" "<<b1.get_string()<<endl;
cout<<b2.get_int()<<" "<<b2.get_string()<<endl;
Box b3=b1;
Box b4(b2);
cout<<b3.get_int()<<" "<<b3.get_string()<<endl;
cout<<b4.get_int()<<" "<<b4.get_string()<<endl;
b1=b4;
cout<<endl;
cout<<b1.get_int()<<" "<<b1.get_string()<<endl;
{
Box b5;
} // exit local scope,b5 is destroyed but string on the heap
// pointed to by b5.s is not freed (memory leak)
cout<<"exiting program"<<endl;
}
该指针在构造函数中初始化为指向空闲存储区(始终是新的)动态分配的内存。因此,当调用析构函数时,要销毁的对象的成员以相反的顺序被销毁。在这种情况下,只有 int 和指针对象被破坏,我最终会出现内存泄漏(堆上的字符串没有被释放),这对吗?
而且,定义了这个拷贝赋值操作符,我每次赋值对象时是否都会发生内存泄漏(指针指向堆上的一个新对象而前者丢失了不是吗?)?