首先,我们先定义前置递增运算符:
#include<iostream>
using namespace std;
class My
{
friend ostream& operator<<(ostream& cout, My& a);
public:
My() { m_num = 0; }
int out() { return m_num; }
My& operator++() { ++m_num; return *this; }
private:
int m_num;
};
ostream& operator<<(ostream& cout, My& a)
{
cout << a.m_num ;
return cout;
}
void test01()
{
My a;
cout << ++a << endl;
}
int main()
{
test01();
system("pause");
return 0;
}
接着,我们在原来的基础上定义后置递减运算符
#include<iostream>
using namespace std;
class My
{
friend ostream& operator<<(ostream& cout, My& a);
public:
My() { m_num = 0; }
int out() { return m_num; }
My& operator++() { ++m_num; return *this; }
My operator++(int) //定义后置自增
{
My temp =*this;
++* this;
return temp;
}
private:
int m_num;
};
ostream& operator<<(ostream& cout, My& a)
{
cout << a.m_num ;
return cout;
}
void test01()
{
My a;
cout << ++a << endl;
}
void test02() { //运行后置自增
My a;
cout << a++ <<a<<endl;
}
int main() {
test02();
system("pause");
return 0;
}
按理来说,自增的后置与前置应该共用一个“<<"运算符,但是此时编译器开始报错
这是为啥?
注意观察,在定义后置自增运算符时,我们给函数的返回值是temp,一个局部变量,所以返回值也不能做引用,这就必须牵扯到函数返回值的知识了,在执行return语句时系统会在内部自动创建一个临时变量,然后将return要返回的那个值赋给这个临时变量。但要注意的是,在不加引用和指针的情况下,这个临时变量是没有地址的!就像是int a=10 中的这个10一样,有值,但是没有地址。在重定义的<<运算符中,我们是用引用来接收函数参数的,但是引用只能被赋值给有地址的量,所以只能删除引用符或者在前面加上const,但为了照顾前置递增,我们最好加上const。