C++ 自加以及自减的操作符重载

时间:2021-12-13 15:29:35
再对++ 、-- 操作符重载时,总是会考虑,重载函数的参数应该如何,返回值又该如何?
1、值为引用的函数可以用作赋值运算符的左操作数。(另外,用引用返回一个函数值的最大好处是,在内存中不产生被返回值的副本。)
2、++、--的操作应该满足以下的操作;
 i++、i--:可以作为右值,但不能作为左值,即可以进行j=i++,但不存在 i++ = j;

 ++i、--i:可以作为左值,但不能作为右值,即可以进行++i=j,但不存在 j= ++i;


那么从1、 2两点来考虑, ++i、--i 应该是以类的引用作为函数的返回值。 i++、i--则应该以类对象作为返回值

// 函数功能,实现++/--的重写
#include <iostream>
using namespace std;

class INT
{
private:
int m_i;
public:
friend ostream& operator<<( ostream &os, const INT i );
INT ( int value ): m_i( value ) {};

INT& operator++()
{
++(this->m_i);
return *this;
}

INT& operator--()
{
--(this->m_i);
return *this;
}

INT operator++(int)
{
INT tmp = *this;
(this->m_i)++;
return tmp;
}

INT operator--(int)
{
INT tmp = *this;
(this->m_i)--;
return tmp;
}
};

ostream& operator<<( ostream& os, const INT i)
{
os << '[' <<i.m_i<<']'<<endl;
return os;
}


void main()
{
INT I(5);
cout<<I++;
cout<<++I;
cout<<I--;
cout<<--I;
cout<<I;
}
另外,对于 值为引用的函数可以用作赋值运算符的左操作数,如下代码示例:
#include <iostream>#include <string> using namespace std;//此时编译报错:test.cpp(16) : error C2106: “=”: 左操作数必须为左值//应该以char& 作为返回时char get_val(string &str, string::size_type ix){       return str[ix];} int main(){       string s("a value");       cout << s << endl;        get_val(s, 0) = 'A';       cout << s << endl;        return 0;}