深入C++中构造函数、拷贝构造函数、赋值操作符、析构函数的调用过程总结

时间:2021-05-19

1 .用同一个类的源对象构造一个目标对象时,会调用拷贝构造函数来构造目标对象,如果没有定义拷贝构造函数,将调用类的默认拷贝函数来构造目标对象。
2 .当一个函数的返回值为一个类的对象时,如果在调用函数中,没有定义一个对象来接收这个返回对象值,会用返回一个临时对象保存返回对象的值。在被调用函数结束时,这个临时对象被销毁。而当调用函数中有一个接受对象时,就将返回对象赋值给接收对象,这个返回对象在调用函数结束时调用析构函数。
3.当类有一个带有一个参数的构造函数时,可以用这个参数同类型的数据初始化这个对象,默认会调用这个构造函数。
复制代码 代码如下:
#include "stdafx.h"
#include <iostream>
using namespace std;
class B
{
public:
B():data(0) //默认构造函数
{
cout << "Default constructor is called." << endl;
}
B(int i):data(i) //带参数的构造函数
{
cout << "Constructor is called." << data << endl;
}
B(B &b) // 复制(拷贝)构造函数
{
data = b.data; cout << "Copy Constructor is called." << data << endl;
}
B& operator = (const B &b) //赋值运算符的重载
{
this->data = b.data;
cout << "The operator \"= \" is called." << data << endl;
return *this;
}
~B() //析构函数
{
cout << "Destructor is called. " << data << endl;
}
private:
int data;
};

//函数,参数是一个B类型对象,返回值也是一个B类型的对象
B fun(B b)
{
return b;
}

//测试函数
int _tmain(int argc, _TCHAR* argv[])
{
fun(1);
cout << endl;

B t1 = fun(2);
cout << endl;

B t2;
t2 = fun(3);

return 0;
}

复制代码 代码如下:
输出结果为:

复制代码 代码如下:
Constructor is called.1 //用1构造参数b
Copy Constructor is called.1 //用b拷贝构造一个临时对象,因为此时没有对象来接受fun的返回值
Destructor is called. 1 //参数b被析构
Destructor is called. 1 //临时对象被析构
Constructor is called.2 //用2构造参数b
Copy Constructor is called.2 //用b拷贝构造t1,此时调用的是拷贝构造函数
Destructor is called. 2 //参数b被析构
Default constructor is called. //调用默认的构造函数构造t2
Constructor is called.3 //用3构造参数b
Copy Constructor is called.3 //用b拷贝构造一个临时对象
Destructor is called. 3 //参数b被析构
The operator "= " is called.3 //调用=操作符初始化t2,此时调用的是赋值操作符
Destructor is called. 3 //临时对象被析构
Destructor is called. 3 //t2被析构
Destructor is called. 2 //t1被析构
请按任意键继续. . .

另外:
B t1 = fun(2); 和 B t2; t2 = fun(3); 调用的构造函数不同,前面调用的是拷贝构造函数,后面的调用的是“=”操作符的重载,谁能告诉我原因呢 ?

声明:本页内容来源网络,仅供用户参考;我单位不保证亦不表示资料全面及准确无误,也不保证亦不表示这些资料为最新信息,如因任何原因,本网内容或者用户因倚赖本网内容造成任何损失或损害,我单位将不会负任何法律责任。如涉及版权问题,请提交至online#300.cn邮箱联系删除。

相关文章