1.什么是运算符重载?
顾名思义,比如重载运算符 + - * / 等,改变这些符号原有的意义。
C++提供了operator关键字,它和运算符一起使用,表示一个运算符函数,理解时应将operator=整体上视为一个函数名。
2.两种实现
运算符的重载实现有两种形式:
(1)重载为类的成员函数
<函数返回类型> operator <运算符>(<形参表>)
{
<函数体>;
}
(2)重载为类的友元函数
friend <函数返回类型> operator <运算符>(<形参表>)
{
<函数体>;
}
3.示例
(1)重载为类的成员函数
class Test
{
public:
Test(void):a(0){};
~Test(void){};
Test(int _a):a(_a){};
Test& operator + (Test& _test)//重载操作符,返回该类的一个实例
{
int new_a=a+_test.a;
Test new_Test(new_a);
return new_Test;
};
int a;
};
void main()
{
Test t1(1),t2(2),t3;
t3=t1+t2;
std::cout<<t3.a;
return ;
}
(2)重载为类的友元函数
class Test
{
public:
Test(void):a(0){};
~Test(void){};
Test(int _a):a(_a){};
friend Test& operator + (Test& _test1,Test& _test2)//重载为友元函数,因为友元函数不是类成员,所以需要传入2个参数
{
int new_a=_test1.a+_test2.a;
Test new_Test(new_a);
return new_Test;
};
int a;
};
void main()
{
Test t1(1),t2(2),t3;
t3=t1+t2;
std::cout<<t3.a;
return ;
}
(1)返回引用的话就是返回本身,返回值就是返回副本(相当于多调用一次copy构造函数,效率变慢)
(2)在连续操作时,会出现问题,比如说 (a = b) = c ,a = b 返回的是一个临时对象(副本),(a = b) = c 之后c就赋值不到a上了