友元是一种非类成员函数访问类中非公有成员的一种机制
可以把一个函数指定为友的友元===================》友元函数
也可以把整个类定义为另一个类的友元==============》友元类
友元的作用:提高程序的运行效率
友元函数:
一遍在类中声明,函数声明前加上friend,在类外定义(在类中声明也可,但不建议,因为友元函数不是类的成员函数)
友元的注意事项:
(1)友元函数不是类的成员函数,在函数体中访问对象的成员时必须要用对象名.变量名,友元函数可以访问类的公有私有成员
(2)友元函数不受类中的访问关键字的限制,因为友元函数不是类的成员
(3)友元函数的作用域不是类的作用域。
(4)友元破坏了类的封装,尽量少用
#include <iostream>
#include <math.h>
using namespace std;
class Point
{
private:
int x_;
int y_;
public:
Point(int x,int y):x_(x),y_(y)
{
}
friend double p2pdistance(Point &p1, Point &p2); //不属于类的成员函数,可以再类内定义
//不受累的权限的限制,在private,public都可以
};
double p2pdistance(Point &p1, Point &p2)
{
double dx = p1.x_ - p2.x_;
double dy = p1.y_ - p2.y_;
return sqrt(dx*dx+dy*dy);
}
int main()
{
Point p1(3,4);
Point p2(6,8);
cout<<p2pdistance(p1,p2)<<endl;
return 0;
}
友元类:
#include <iostream>
using namespace std;
class Television //注意类的顺序,如果两个类的顺序颠倒了就会出错,因为TelController类中用到了Telvision的对象
{
private:
int volume_;
int chanel_;
public:
Television(int volume, int chanel):volume_(volume),chanel_(chanel)
{
}
friend class TelController;
};
class TelController
{
public:
void volumeUp(Television &tel)
{
tel.volume_++; //即便是友元,也要通过对象去直接访问对象,不能直接写volume_++;
}
void volumeDown(Television &tel)
{
tel.volume_--;
}
void chanelUp(Television &tel)
{
tel.chanel_++;
}
void chanelDown(Television &tel)
{
tel.chanel_--;
}
};
int main()
{
Television tel(1,2);
TelController tec;
tec.chanelUp(tel);
return 0;
}
如果把类放到不同的文件中,需要主要类的声明因为Telvision类中有TelController的友元声明,TelController中有Telvision类的引用。有时候需要类的前向声明
telvision文件:
#ifndef _TELVISION_H_
#define _TELVISION_H_
//编译器不同,有的编译器需要对telcontroller进行声明, class telcontroller;
class Television
{
private:
int volume_;
int chanel_;
public:
Television(int volume, int chanel);
friend class TelController; //表明是友元类
};
#endif _TELVISION_H_
telvision.cpp文件:
#include "telvison.h"
Television::Television(int volume, int chanel):volume_(volume),chanel_(chanel)
{
}
telController.h文件:
#ifndef _TELCONTROLLER_H_
#define _TELCONTROLLER_H_
#include "telvison.h" //引入Television类
//或者使用类的声明(以为这里用的是引用),class Televison; 类声明的好处是不会使头文件过大
//如果使用类声明的话,就要在telController.cpp文件中引入telvision.h
class TelController
{
public:
void volumeUp(Television &tel);
void volumeDown(Television &tel);
void chanelUp(Television &tel);
void chanelDown(Television &tel);
};
#endif _TELCONTROLLER_H_
telController.cpp文件:
#include "telController.h"
void TelController::volumeUp(Television &tel)
{
tel.volume_++;
}
void TelController::volumeDown(Television &tel)
{
tel.volume_--;
}
void TelController::chanelUp(Television &tel)
{
tel.chanel_++;
}
void TelController::chanelDown(Television &tel)
{
tel.chanel_--;
}
主函数文件:
#include "telController.h"
int main()
{
Television tel(1,2);
TelController telc;
telc.chanelUp(tel);
return 0;
}