定义友元+运算符函数Box operator+(const Box &b1 ,const Box &b2);
友元函数的特点是,可以与成员函数一样具有访问private 成员变量。但友元函数并不是成员函数。
创建友元函数的关键在于,将其原型放在类声明中,并在函数名前加上关键字friend。
#include <iostream>
using namespace std;
class Box{
private:
int m_length;
int m_height;
int m_width;
public:
Box(); //默认构造函数
Box(int length,int width, int height); //构造函数
int show_volume(); //输出体积
friend Box operator+(const Box &b1 ,const Box &b2);
};
Box::Box(int length,int width, int height){ //构造函数,创建对象时,对长、宽、高进行初始化
m_length = length;
m_height = height;
m_width = width;
}
Box::Box(){ //默认构造函数
m_length = 1;
m_height = 2;
m_width = 3;
}
Box operator+(const Box &b1 ,const Box &b2) { //重载运算符定义,对Box类的长宽高进行分别进行+运算,并返回一个Box类型
Box box;
box.m_length = b1.m_length + b2.m_length;
box.m_width = b1.m_width + b2.m_width;
box.m_height = b1.m_height + b2.m_height;
return box;
}
int Box::show_volume(){ //输出体积
cout<<m_length * m_width * m_height<<endl;
}
int main(){
Box box1(1,2,3);
Box box2(2,3,4);
Box box3;
Box box4;
box3 = box1 + box2; //等价box3 =operator+(box1,box2);
box4 =operator+(box1,box2);
box3.show_volume();
box4.show_volume();
}
在Box类的原型中,声明友元+运算符函数函数。
friend Box operator+(const Box &b1 ,const Box &b2);
该函数的定义需访问Box类的private变量,虽然operator+并不是Box类的成员函数,但由于其实Box类的友元函数,其权限和成员函数一样,可以访问private变量。
box1 + box2 等价于operator+(box1,box2);
可以理解为+运算符左边的变量作为operator+的第一个参数,+运算符右边的变量作为operator+的第二个参数