拷贝构造函数的调用时机
#include <iostream>
using namespace std;
class Person
{
public:
Person()
{
cout << "Person的默认构造函数。" << endl;
}
Person(int age)
{
m_Age = age;
cout << "Person的有参构造函数。" << endl;
}
Person(const Person& p)
{
m_Age = p.m_Age;
cout << "Person的拷贝函数。" << endl;
}
~Person()
{
cout << "Person的析构函数。" << endl;
}
int m_Age;
};
//1、使用一个已经创建完毕的的对象来初始化一个新对象
void test01()
{
Person P1(20);
Person P2(P1);
cout << "Person的年龄:" << P2.m_Age << endl;
}
//2、值传递的方式给函数参数传值
void dowork(Person P)
{
}
void test02()
{
Person p;
dowork(p);
}
//3、值方式返回局部对象
Person dowork02()
{
Person p1;
return p1;
}
void test03()
{
Person p = dowork02();
}
int main()
{
//test01();
//test02();
test03();
system("pause");
return 0;
}