对象的拷贝:
普通类型的对象拷贝:
int nTest = 88;
int nTest1 = nTest;
int nTest2( nTest );
类对象的拷贝:
对于类对象的拷贝来说,相同类型的类对象使通过拷贝构造函数来实现的。对象的拷贝分为浅拷贝和深拷贝。
拷贝构造函数:
拷贝构造函数的名称必须和类名称一致,参数只有一个本类型的引用变量,该参数必须是const类型,用来确保该参数对象再拷贝构造函数内不能被改变。
拷贝构造函数格式如下:
CTest( const CTest& cValue){}
当对象需要被拷贝时,就会调用拷贝构造函数,如果这个类中没有生命拷贝构造函数的话,编辑器会生成一个默认拷贝构造函数,该默认拷贝构造函数完成对象之间的浅拷贝。
会调用拷贝构造函数的情况:
对象以值传递的方式传入函数体内。
对象以值传递的方式从函数中返回。
对象需要通过另外一个对象进行初始化。
浅拷贝和深拷贝:
浅拷贝:
直接为数据成员赋值即可。
如果类对象中有指针类型的成员,但是没有分配专门的内存,这时候浅拷贝是会带来问题的。
代码如下:
CShallowReplication.h文件中
#include <string.h>
// 浅拷贝
class CShallowRep{
public:
CShallowRep(char* pValue, int nValue)
{
strcpy(pName, pValue);
nAge = nValue;
}
void Show( )
{
cout << " Name is : " << pName << endl;
cout << " Age is : " << nAge << endl;
}
void setName( char* pValue )
{
strcpy( pName, pValue);
pName = pValue;
}
void setAge( int nValue )
{
nAge = nValue;
}
public:
char* pName;
int nAge;
};
main.cpp文件中
#include <iostream>
#include <string>
using namespace std;
#include "ShallowReplication.h"
#include "DeepReplication.h"
void main()
{
CShallowRep pShallowRep( "xiaoming", 30 );
CShallowRep pShallowRep_2(pShallowRep);
pShallowRep.Show();
pShallowRep_2.Show();
system("pause");
return;
}
在启动程序的时候会有报错:
根据报错信息可以知道。程序试图将”xiaoming”拷贝到pName指向的位置,而pName指向的位置并不是经过系统分配来的,是随机的地址值,pName是一个野指针。这种行为是不被接受的。
深拷贝:
在构造函数中,为指针类型的成员,分配专门的内存。
在类的对象发生拷贝过程的时候,资源重新分配了,则这个过程就是深拷贝。
代码如下:
CDeepReplication.h文件中
#include <string.h>
// 深拷贝
class CDeepRep{
public:
CDeepRep(char* pValue, int nValue)
{
pName = new char[strlen(pValue) + 1]; // 分配pName的内存
strcpy(pName, pValue);
nAge = nValue;
}
CDeepRep(const CDeepRep& rDeepRep)
{
nAge = rDeepRep.nAge;
pName = new char[strlen(rDeepRep.pName) + 1];
strcpy(pName, rDeepRep.pName);
}
~CDeepRep()
{
delete[] pName;
}
void Show( )
{
cout << " Name is : " << pName << endl;
cout << " Age is : " << nAge << endl;
}
void setName( char* pValue )
{
strcpy( pName, pValue);
pName = pValue;
}
void setAge( int nValue )
{
nAge = nValue;
}
public:
char* pName;
int nAge;
};
main.cpp文件中
#include <iostream>
#include <string>
using namespace std;
#include "ShallowReplication.h"
#include "DeepReplication.h"
void main()
{
CDeepRep pDeepRep( "xiaoming", 30 );
CDeepRep pDeepRep_2(pDeepRep);
pDeepRep.Show();
pDeepRep_2.setName( "xiaoqiang" );
pDeepRep_2.Show();
system("pause");
return;
}
运行结果如下: