类的默认成员函数——拷贝构造函数

文章目录

  • 拷贝构造函数
    • 概念
    • 特征

拷贝构造函数

概念

拷贝构造函数:
只有 单个形参,该形参是对本类类型对象的 引用(一般常用const修饰),在用已存在的类类型对象创建新对象时由 编译器自动调用

特征

拷贝构造函数也是特殊的成员函数。

其特点如下:

1.拷贝构造函数是构造函数的一个重载形式。

类的默认成员函数——拷贝构造函数_第1张图片
在这里插入图片描述

2.拷贝构造函数的参数 只有一个且必须使用引用传参,使用传值方式会引发无穷递归调用。

错误示例:

class Date
{
public:

	Date(int year = 2021, int month = 1, int day = 1)
	{
		_year = year;
		_month = month;
		_day = day;
	}

	Date(Date d)
	{
		_year = d._year;
		_month = d._month;
		_day = d._day;
	}

private:
	int _year;
	int _month;
	int _day;
};
int main()
{
	Date date;
	Date copy(date);
	return 0;
}

在这里插入图片描述

原因:
使用传值方式时,形参是实参的一份拷贝,会引起拷贝的递归调用。
类的默认成员函数——拷贝构造函数_第2张图片

3.若未显示定义,系统生成默认的拷贝构造函数。默认的拷贝构造函数对象按内存存储、按字节序完成拷贝,这种拷贝我们叫做浅拷贝。

class Date
{
public:

	Date(int year = 2021, int month = 1, int day = 1)
	{
		_year = year;
		_month = month;
		_day = day;
	}
private:
	int _year;
	int _month;
	int _day;
};
int main()
{
	Date d;
	//这里copy调用的默认拷贝构造完成拷贝,copy和d的值也是一样的。
	Date copy(d);
	return 0;
}

4.那么编译器生成的默认拷贝构造函数已经可以完成字节序的值拷贝了,我们还需要自己实现拷贝构造函数吗?

#define _CRT_SECURE_NO_WARNINGS
#include 
#include 
#include 
using namespace std;
class String
{
public:
	String(const char* str = "krystal")
	{
		_str = (char*)malloc(strlen(str) + 1);
		strcpy(_str, str);
	}
	~String()
	{
		cout << "~String()" << endl;
		free(_str);
	}
private:
	char* _str;
};
int main()
{
	String s1("hello");
	String s2(s1);
}

运行结果:
类的默认成员函数——拷贝构造函数_第3张图片
这里会发现程序会崩溃,这里就需要我们自己定义拷贝构造函数去解决。

你可能感兴趣的:(CPP)