这阵子在学习C++ Primer ,关于书中的复制构造函数不是很理解。
上网上查了一些,加上书上的,在这里做一些总结:
首先考虑C++中的初始化形式:有直接初始化和复制初始化,例如:
int val(1024); //直接初始化
int val=1024 ; //复制初始化
此处使用=来初始化,但是C++中初始化和赋值是两种不同的操作,具体参考下面的关于赋值重载的说明。
再回过来看复制构造函数,上面说的复制初始化总是调用复制构造函数。复制初始化首先使用指定的构造函数创建一个临时对象,然后再用复制构造函数将那个临时对象复制到正在创建的对象中。
总之:拷贝构造函数的功能是用一个已存在的对象去构造并初始化另一个新创建的对象。它既要构造一个新的对象,又要把已有的对象内容赋给新对象,其次由于拷贝构造函数要把一个已有的对象的相关内容赋值给新对象,所以需要该类对象的引用做做参数。例如:用一个对象初始化另一个对象的时候:A(const A& a);
下面再看看重载赋值:
需要先了解重载操作符。重载赋值接受单个的形参,且该形参是同一个类类型对象。右操作符一般作为const引用传递。什么时候调用赋值构造?当显式使用 “=”
拷贝函数本质是一个构造函数,只不过他是依据一个已存在的对象(对象内容)来构造另一个对象。这过程中会依次调用父类的构造函数,正如一般构造函数的行为那样。 而赋值运算符,本质是使一个已存在的对象内容与目的对象的内容相同。就是说被赋值的对象已经有内容了。但对于拷贝函数,这时候对象是还没有内容的。
下面是网上的一个例子,我觉得很不错:
-
-
-
-
-
-
#include "rectangle.h"
-
using namespace longsy;
-
-
#include <iostream>
-
-
Rectangle::Rectangle(int w,int h) : width(w),height(h)
- {
-
std::cout << "Rectangle(int w,int h)" << std::endl;
- }
-
Rectangle::Rectangle(const Rectangle &rect)
- {
-
this->width = rect.width;
-
this->height = rect.height;
-
std::cout << "Rectangle(const Rectangle &rect)" <<std::endl;
- }
-
Rectangle& Rectangle::operator=(const Rectangle &rect)
- {
-
this->width = rect.width;
-
this->height = rect.height;
-
std::cout << "operator=(const Rectangle &rect)" << std::endl;
-
return *this;
- }
- Rectangle::~Rectangle()
- {
-
this->width = 0;
-
this->height = 0;
-
std::cout << "~Rectangle()" << std::endl;
- }
-
-
void Rectangle::Draw()
- {
-
std::cout << "Draw the rectangle,width:" << this->width \
-
<< ",height:" << height <<std::endl;
- }
测试文件,test.cpp
-
-
-
-
-
-
#include "rectangle.h"
-
using namespace longsy;
-
-
int main()
- {
-
Rectangle rect;
- rect.Draw();
-
-
Rectangle rect1(1,1);
- rect1.Draw();
-
-
Rectangle rect2 = rect1;
- rect2.Draw();
-
-
Rectangle rect3(2,2);
- rect3.Draw();
-
rect3 = rect1;
- rect3.Draw();
-
-
return (0);
- }
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
|
请发表评论