class class_name { public: int x; // x轴坐标 int y; // y轴坐标 class_name(); class_name(int x0, int y0); // 定义类的时候,提供一个运算符重载的对应解析函数即可 class_name operator+(const class_name& other); };
class_name class_name::operator+(const class_name & other) { // 在该函数内,去实现+的真正应该做的操作 class_name tmp; tmp.x = this->x + other.x; tmp.y = this->y + other.y; return tmp; }
class_name class_name ::operator=(const class_name & other) { // 在该函数内,去实现=的真正应该做的操作 // c = a; c是this,a是other,c=a整个表达式的值是返回值 // class_name tmp; this->x = other.x; this->y = other.y; return *this; }
coordinate coordinate::operator+=(const coordinate& other) { this->x = this->x + other.x; this->y = this->y + other.y; return *this; }
class::class_name(int x0, int y0) { x = x0; y = y0; };
class_name a(1, 3); class_name b(2, 6); class_name c; c = a + b; // 编译时被编译器翻译成: c = a.operator+(b); c = b.operator+(a);
初始化时 | 拷贝构造函数 |
---|---|
非初始化时 | 赋值运算符重载 |
赋值运算符重载若有返回值,则会调用拷贝构造函数 因为若返回值是整个对象,c++语言为了保证语义是对的,为了真正的返回一个对象, 这里面出现中间的临时变量,把return *this;复制到中间临时变量,把中间临时变量作为返回值传递出去 目的:把整个对象的值要复制一遍过去传递出去作为返回值 多了一次复制过程,才会调用拷贝构造函数
C++的const要求非常严格,在c = a + b;中如果=运算符的重载函数参数列表中没有用const会编译报错。
因为c对应的实参是a+b的值,a+b执行相当于operator+的返回值是临时变量被认为是const 所以为了匹配 运算符=重载函数要加const
if (this != &other) { // } return *this;
class_name& class_name::operator=(const class_name& other) { return *this; } class_name& 和变量类型是一个级别的 this是指针,*this是变量级别的,可以返回引用
int &b = a; 类似于 int * const b = &a; 引用的本质是const指针
作用:返回引用可以避免一次返回值的值传递的对象复制,这需要消耗资源的。
普通变量 | 直接复制 |
---|---|
对象 | 拷贝构造函数 |
对象引用 | 直接复制 |
https://zh.cppreference.com/w/%E9%A6%96%E9%A1%B5