其他分享
首页 > 其他分享> > 4.2.3拷贝构造函数调用时机

4.2.3拷贝构造函数调用时机

作者:互联网

4.2.3拷贝构造函数调用时机

C++中拷贝构造函数调用时机通常有三种情况

1、使用一个已经创建完毕的对象来初始化一个新对象

2、值传递的方式给函数参数传值

3、值方式返回局部对象

#include<iostream>
#include<string>
using namespace std;
//拷贝构造函数的调用时机

//1、使用已经创建完毕的对象来初始化一个对象

//2、值传递的方式给函数传值

//3、值方式返回局部对象
class Person
{
	friend void test01();
public:
	Person();
	Person(int age);
	Person(const Person& p);
	~Person();

private:
	int m_age;
};

Person::Person()
{
	cout << "person默认构造函数" << endl;
}

Person::Person(int age)
{
	m_age = age;
	cout << "person有参构造函数" << endl;
}

Person::Person(const Person& p)
{
	m_age = p.m_age;
	cout << "person拷贝构造函数" << endl;

}

Person::~Person()
{
	cout << "person析构函数" << endl;
}
//1、使用已经创建完毕的对象来初始化一个对象
//void test01()
//{
//	Person p1(20);
//	Person p2(p1);
//	cout << "p2的年龄为" << p2.m_age << endl;
//}
//2、值传递的方式给函数传值
void doWork(Person p)//值传递的本质就是复制一个副本,也就是调用拷贝构造函数
{

}

void test02()
{
	Person p;
	doWork(p);
}
//3、值方式返回局部对象
Person doWork2()
{
	Person p1;
	cout << (int*)&p1 << endl;
	return p1;//拷贝一个对象返回到test03中
}
void test03()
{
	Person p = doWork2();
	cout << (int*)&p << endl;
}

int main()
{
	//test01();
	//test02();
	test03();
	system("pause");
	return 0;
}

 

标签:4.2,对象,函数调用,Person,int,拷贝,时机
来源: https://blog.csdn.net/vernon055/article/details/117173202