8.拷贝构造函数调用时机
2021-01-30 本文已影响0人
lxr_
#include<iostream>
using namespace std;
class Student
{
public:
int m_Age;
Student()
{
cout << "Student默认构造函数的调用" << endl;
}
Student(int age)
{
m_Age = age;
cout << "Student有参构造函数的调用" << endl;
}
Student(const Student& stu)
{
m_Age = stu.m_Age;
cout << "Student拷贝构造函数的调用" << endl;
}
~Student()
{
cout << "Student析构函数的调用" << endl;
}
};
//构造函数调用时机:
//1.使用一个已经创建完毕的对象来初始化一个新对象
void test03()
{
Student s1(20);
Student s2 = s1;//拷贝构造函数的调用
}
//2.值传递的方式给函数参数传值
void doWork(Student s)
{
}
void test04()
{
Student s;//默认构造
doWork(s);//拷贝构造,是因为 值传递会拷贝出来另一个值传入
}
//3.以值方式返回局部对象
Student doWork2()
{
Student s;
cout << (int*)&s << endl;
return s;//当doWork2执行完,第一个s被释放,故需要返回的时候再拷贝一个对象
}
void test05()
{
Student s=doWork2();
cout << (int*)&s << endl;
}
int main()
{
test03();
//test04();
//test05();
system("pause");
return 0;
}