定义

类的友元函数是定义在类外部,但有权访问类的所有私有(private)成员和保护(protected)成员。尽管友元函数的原型有在类的定义中出现过,但是友元函数并不是成员函数。
友元也可以是一个类,该类被称为友元类,在这种情况下,整个类及其所有成员都是友元。
如果要声明函数为一个类的友元,需要在类定义中该函数原型前使用关键字 friend

  1. #include <iostream>
  2. using namespace std;
  3. class Box
  4. {
  5. double width;
  6. public:
  7. friend void printWidth( Box box );
  8. void setWidth( double wid );
  9. };
  10. // 成员函数定义
  11. void Box::setWidth( double wid )
  12. {
  13. width = wid;
  14. }
  15. // 请注意:printWidth() 不是任何类的成员函数
  16. void printWidth( Box box )
  17. {
  18. /* 因为 printWidth() 是 Box 的友元,它可以直接访问该类的任何成员 */
  19. cout << "Width of box : " << box.width <<endl;
  20. }
  21. // 程序的主函数
  22. int main( )
  23. {
  24. Box box;
  25. // 使用成员函数设置宽度
  26. box.setWidth(10.0);
  27. // 使用友元函数输出宽度
  28. printWidth( box );
  29. return 0;
  30. }