class/structunion 的声明可以在另一个类中出现。这种声明声明一个嵌套类(nested class)

解释

嵌套类的名字存在于其外围类作用域中,而且从嵌套类的成员函数中进行名字查找,在检测嵌套类的作用域后将访问外围类的作用域。与其外围域的任何成员相似,对所有外围类拥有访问权的名字(私有、受保护等),嵌套类也拥有访问权,但其他方面它是独立的,而且对外围类的 this 指针无特定访问权。

嵌套类中的声明只能使用外围类中的类型名、静态成员及枚举项。(C++11 前)

嵌套类中的声明能使用外围类的所有成员,遵循非静态成员的常规使用规则
(C++11 起)
  1. int x,y; // 全局变量
  2. class enclose { // 外围类
  3. int x; // 注:私有成员
  4. static int s;
  5. public:
  6. struct inner { // 嵌套类
  7. void f(int i) {
  8. x = i; // 错误:不能不带实例地写入非静态的 enclose::x
  9. int a = sizeof x; // C++11 前错误。
  10. // C++11 中 OK:sizeof 的操作数不求值,
  11. // 非静态 enclose::x 的此种用法是允许的。
  12. s = i; // OK:可赋值给静态 enclose::s
  13. ::x = i; // OK:可赋值给全局 x
  14. y = i; // OK:可赋值给全局 y
  15. }
  16. void g(enclose* p, int i) {
  17. p->x = i; // OK:赋值给 enclose::x
  18. }
  19. };
  20. };

定义于嵌套类中的友元函数,对外围类的成员没有特殊访问权,虽然来自定义于嵌套类中的成员函数体内的查找能找到外围类的私有成员。

嵌套类成员的类外定义出现在外围类的命名空间中:

  1. struct enclose {
  2. struct inner {
  3. static int x;
  4. void f(int i);
  5. };
  6. };
  7. int enclose::inner::x = 1; // 定义
  8. void enclose::inner::f(int i) {} // 定义

嵌套类可以前置声明并于稍后定义,在外围类的体内或体外均可:

  1. class enclose {
  2. class nested1; // 前置声明
  3. class nested2; // 前置声明
  4. class nested1 {}; // 嵌套类的定义
  5. };
  6. class enclose::nested2 { }; // 嵌套类的定义

嵌套类声明服从成员访问说明符,从外围类的作用域之外不能指名私有的成员类,尽管可以操作该类的对象:

  1. class enclose {
  2. struct nested { // 私有成员
  3. void g() {}
  4. };
  5. public:
  6. static nested f() { return nested{}; }
  7. };
  8.  
  9. int main()
  10. {
  11. //enclose::nested n1 = e.f(); // 错误:'nested' 为私有
  12.  
  13. enclose::f().g(); // OK:并未指名 'nested'
  14. auto n2 = enclose::f(); // OK:并未指名 'nested'
  15. n2.g();
  16. }

引用

  • C++11 standard (ISO/IEC 14882:2011):
    • 9.7 Nested class declarations [class.nest]
  • C++98 standard (ISO/IEC 14882:1998):
    • 9.7 Nested class declarations [class.nest]