我们知道一个数 a 实现自增1的方式有两种: 1. a++ 2. ++a
同样的如果像把它应用到c++运算符重载里面,实现类的某些属性的自增1操作,也应该有两种形式
之前我已经给过实现前置++运算符重载的方法了,没看过的小伙伴可以
戳这里
当我们想要实现后置++运算符的时候,问题来了:
前置++和后置++运算符函数重名了!(形式全为 :XX类名 operator++(参数) )
如果是这样当我们调用前置或者后置++运算符的时候,c++编译器自然无法分辨出我们需要调用哪一个
函数;如果我们还想实现两者运算符重载的话,就要使用占位符,( 例如: operator++(int) )
换句话说,你得给其中一个operator()多传入一个参数,让c++编译器知道,这是两个不同的函数,
避免出现重定义的情况;举个例子:
#include <iostream>
using namespace std;
class Complex
{
private:
int a;
int b;
friend Complex operator++(Complex &c1, int);
public:
Complex(int a = 0, int b = 0)
{
this->a = a;
this->b = b;
}
//成员函数实现后置 ++运算符重载
/*
Complex operator++(int)
{
this->a++;
this->b++;
Complex tmp = *this;
return tmp;
}
*/
void printCom()
{
cout << a << "+" << b << "i" << endl;
}
};
//定义全局函数
Complex operator++(Complex &c1, int)
{
Complex tmp = c1;
c1.a++;
c1.b++;
return tmp;
}
int main()
{
Complex c1(1, 2), c2(3, 4);
c1++;
c1.printCom();
return 0;
}