运算符重载关键词
operator
相当于可以把运算符 重新定义为新的运算逻辑,例如之前的+ 号可以 运算int类型
如果重载这个+号,可以实现两个对象相加。
例子一:
#include <iostream>
#include <cstdlib>
using namespace std;
//.h 声明
//纯虚函数 只是头文件 没有cpp,没有实现类
class Person{
friend Person &operator-(Person &p); //友元运算符重载
public:
Person(int x ,int y);
// Person &operator-();//运算符重载
int getX();
int getY();
private:
int m_iX;
int m_iY;
};
//cpp 这叫定义
Person::Person(int x, int y) {
m_iX=x;
m_iY=y;
}
int Person::getX() {
return m_iX;
}
int Person::getY() {
return m_iY;
}
Person& operator-(Person &p) {
p.m_iY=-p.m_iY;
p.m_iX=-p.m_iX;
return p;
}
//运算符重载
//Person& Person::operator-() {
// this->m_iX=-(this->m_iX);
// m_iY=-m_iY;
// return *this;
//}
int main() {
Person p(1,2);
cout<<p.getY()<<endl;
cout<<p.getX()<<endl;
-p;
cout<<p.getY()<<endl;
cout<<p.getX()<<endl;
return 0;
}
例子二:
include <iostream>
using namespace std;
class Box
{
public:
double getVolume(void)
{
return length * breadth * height;
}
void setLength( double len )
{
length = len;
}
void setBreadth( double bre )
{
breadth = bre;
}
void setHeight( double hei )
{
height = hei;
}
// 重载 + 运算符,用于把两个 Box 对象相加
Box operator+(const Box& b)
{
Box box;
box.length = this->length + b.length;
box.breadth = this->breadth + b.breadth;
box.height = this->height + b.height;
return box;
}
private:
double length; // 长度
double breadth; // 宽度
double height; // 高度
};
// 程序的主函数
int main( )
{
Box Box1; // 声明 Box1,类型为 Box
Box Box2; // 声明 Box2,类型为 Box
Box Box3; // 声明 Box3,类型为 Box
double volume = 0.0; // 把体积存储在该变量中
// Box1 详述
Box1.setLength(6.0);
Box1.setBreadth(7.0);
Box1.setHeight(5.0);
// Box2 详述
Box2.setLength(12.0);
Box2.setBreadth(13.0);
Box2.setHeight(10.0);
// Box1 的体积
volume = Box1.getVolume();
cout << "Volume of Box1 : " << volume <<endl;
// Box2 的体积
volume = Box2.getVolume();
cout << "Volume of Box2 : " << volume <<endl;
// 把两个对象相加,得到 Box3
Box3 = Box1 + Box2;
// Box3 的体积
volume = Box3.getVolume();
cout << "Volume of Box3 : " << volume <<endl;
return 0;
}
原文:https://www.cnblogs.com/wuyanzu/p/11874229.html