加号运算符重载
1、成员函数重载+号
2、全局函数重载+号
class Person{
public:
//成员函数重载+号
Person operator+(Person &p){
Person temp;
temp.ma=this.ma+p.ma;
temp.mb=this.mb+p.mb;
return temp;
}
int ma;
int mb;
}
void test(){
Person p1;
p1.ma=10;
p1.mb=10;
Person p2;
p2.ma=10;
p2.mb=10;
Person p3=p1+p2;
}
//全局函数重载+号
Person operator+(Person &p1,Person&p2){
Person temp;
temp.ma=p1.ma+p2.ma;
temp.mb=p1.mb+p2.mb;
return temp;
}
运算符的重载也又可以发生函数重载。
左移运算符重载
一般不用成员函数来实现左移运算符,一般使用全局函数来实现左移运算符。
重载运算符的全局函数可以设置为类的友元函数来解决类私有属性的问题
ostream& operator<<(ostream&cout,Person p){
cout<<"ma="<<p.ma<<" mb="<<p.mb;
return cout;
}
递增运算符重载
//前置递增
class MyInteger{
//因为<<需要重载,所以下面的返回值可以返回*this
friend ostream& operator<<(ostream& cout,MyInteger myint);
public:
int m_Num;
MyInteger(){m_Num=0;}
MyInteger& operator++()
{
m_Num++;
//返回引用也是为了对一个数据jin
return *this;
}
//后置递增,需要加一个占位参数
MyInteger operator++(int)
{
MyInteger temp=*this;
m_Num++;
return temp;
}
}
- Tips
return *this返回的是当前对象的克隆或者本身(若返回类型为A,则是克隆,若返回类型为&A,则是本身)。return this 返回当前对象的地址。
赋值运算符重载
对象的赋值操作一般都是浅拷贝,如他们的赋值操作仅仅是赋值相应的地址值,所以在析构的时候,会存在多次清空堆空间的操作,所以重载赋值运算符的时候,需要进行深拷贝
class Person {
public:
int *m_Age;
Person(age){this.m_Age=new int(age);}
Person & operator(Person &p){
if(m_Age!=NULL){
delete m_Age;
m_Age=NULL;
}
m_Age=new int (*p.m_Age);
return *this;
}
}
关系运算符重载
Class Person {
public :
string name;
int m_age;
Person(string name,int age){
this.name=name;
this.m_age=age}
void operator==(Person &p1){
if(this->name==p1.name&&this->m_age=age){
return true;}
else
return false;
}
}
void main (){
Person p1("tom",11);
Person p2("tom",11);
}
函数调用运算符重载
class MyPrint{
public:
void operator()(string test){
cout<<test<<endl;
}
}
void test()
{
MyPrint myprint;
myprint("this is a test");
//匿名函数对象
MyPrint()("this is a test");
}