? ? ? ? 调用时机:
? ? ? ? ? ? ? ? ? ? ? ? 1.用已经创建好的对象来初始化一个新对象
? ? ? ? ? ? ? ? ? ? ? ? 2.值传递的方式,给函数参数传值
? ? ? ? ? ? ? ? ? ? ? ? 3.以值的方式返回局部对象
? ? ? ? ? ? ? ? ? ? ? ? ? ? ? ?
class Person
{
public:
Person()
{
cout << "Person的默认构造函数调用" << endl;
}
Person(int a)
{
m_age = a;
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(18);
Person p2(p1); //Person p2 =Person p1;
cout << "p2的年龄:" <<p2.m_age<< endl;
}
//2.值传递的方式,给函数参数传值
void dowork(Person p)
{
}
void test02()
{
Person p1(100);
dowork(p1);
}
//3.以值的方式返回局部对象
Person dowork2()
{
Person p;
return p;
}
void test03()
{
Person p = dowork2();
}
int main()
{
test01();
test02();
test03();
system("pause");
return EXIT_SUCCESS;
}
|