第1关:普通函数关系运算符重载
任务描述
为Int类提供小于号和等于号运算符重载,使用普通函数形式。
/********* Begin ********/
#include"Int.h"
bool operator<(Int const&lhs,Int const&rhs)
{
if(lhs.getValue()<rhs.getValue())
return 1;
return 0;
}
bool operator==(Int const&lhs,Int const&rhs)
{
if(lhs.getValue()==rhs.getValue())
return 1;
return 0;
}
/******** End **********/
第2关:函数复用重载关系运算符
任务描述
在已经重载小于号运算符和等于号运算符的基础上,完成其他关系运算符的重载。
一个在数学上是严谨、完备的关系比较系统,必然要求关系运算符是相互关联的。在编码上,我们只需实现小于号运算符和等于号运算符即可,其他关系运算符都应该通过调用这两个函数实现。
/********* Begin ********/
#include"Int.h"
bool operator<(Int const&lhs,Int const&rhs)
{
if(lhs.getValue()<rhs.getValue())
return 1;
return 0;
}
bool operator==(Int const&lhs,Int const&rhs)
{
if(lhs.getValue()==rhs.getValue())
return 1;
return 0;
}
bool operator<=(Int const&lhs,Int const&rhs)
{
if(lhs.getValue()<=rhs.getValue())
return 1;
return 0;
}
bool operator>(Int const&lhs,Int const&rhs)
{
if(lhs.getValue()>rhs.getValue())
return 1;
return 0;
}
bool operator>=(Int const&lhs,Int const&rhs)
{
if(lhs.getValue()>=rhs.getValue())
return 1;
return 0;
}
bool operator!=(Int const&lhs,Int const&rhs)
{
if(lhs.getValue()!=rhs.getValue())
return 1;
return 0;
}
第3关:成员函数重载关系运算符
任务描述
使用成员函数重载的形式,将6个关系运算符进行重载。同样的,虽然如此,鉴于关系运算符的参数形式,我们还是建议:如果需要重载关系运算符的话,最好使用普通函数进行重载。
/********* Begin ********/
#include"Int.h"
bool Int::operator<(Int const&rhs)
{
if(getValue()<rhs.getValue())
return 1;
return 0;
}
bool Int::operator==(Int const&rhs)
{
if(getValue()==rhs.getValue())
return 1;
return 0;
}
bool Int::operator<=(Int const&rhs)
{
if(getValue()<=rhs.getValue())
return 1;
return 0;
}
bool Int::operator>(Int const&rhs)
{
if(getValue()>rhs.getValue())
return 1;
return 0;
}
bool Int::operator>=(Int const&rhs)
{
if(getValue()>=rhs.getValue())
return 1;
return 0;
}
bool Int::operator!=(Int const&rhs)
{
if(getValue()!=rhs.getValue())
return 1;
return 0;
}
/******** End **********/