C++命名空间(1)

命名空间的作用:避免名字冲突和解决命名空间污染问题

命名空间的定义
namespace namespace_name {
   //declarations
}


例:
 

C++代码
  1. /*  
  2. file:my.h  
  3. author:longsy    
  4. */  
  5. //declare namespace My_lib   
  6. namespace My_lib {   
  7.    void describe();   
  8. }  


一般命名空间的声明放在头文件中,而实现则放在源文件中
命名空间也是一个作用域,实现命名空间的函数时,要使用作用域操作符(::)
 

C++代码
  1. /*  
  2. file:my.c  
  3. author:longsy  
  4. */  
  5. #include "my.h"   
  6. void My_lib::describe()   
  7. {   
  8.    //do something...   
  9. }  




引入某入命名空间的方法
1.using 声明
 

C++代码
  1. /*I have defined my namespace in the file named "my.h"  
  2.    and I also have implemented the namespace in the "my.c"  
  3. */  
  4. /*  
  5. file:test1.c  
  6. author:longsy  
  7. */  
  8. #include "my.h"   
  9. //using声明,引入describe函数,只需要引入名字,不需要带括号和参数   
  10. using My_lib::describe; //也可以将该语句放入函数中   
  11. void test1()   
  12. {   
  13.    describe(); //My_lib::describe();   
  14. }  


2.using 指令
 

C++代码
  1. /*I have defined my namespace in the file named "my.h"  
  2.    and I also implemente the namespace in the "my.c"  
  3. */  
  4. /*  
  5. file:test2.c  
  6. author:longsy  
  7. */  
  8. #include "my.h"   
  9. //using指令,引入My_lib空间中的所有名字   
  10. using namespace My_lib; //也可以将该语句放入函数中   
  11. void test2()   
  12. {   
  13.    describe(); //My_lib::describe();   
  14. }  



一个命名空间是可以分散在多个文件中,在不同文件中的命名空间定义是累积的
向一个已存在命名空间引入新的成员
#include "my.h" //先引入命名空间所声明的头文件
namespace My_lib {
   //new members...
}

无名命名空间:将命名空间局限于一个文件中
namespace {
   //declarations
}

在同一个文件中可以直接使用无名命名空间的名字而无需使用作用域操作符或者using声明和指令

命名空间的嵌套:可以在一个命名空间中声明另一个命名空间
例:
 

C++代码
  1. namespace A{   
  2.    int i;  //A::i   
  3.    int j;   
  4.    namespace B{   
  5.       int i;   
  6.       int k=j;//A::j   
  7.    } //end of B scope   
  8.    int h = i; //A::i   
  9. // end of A scope  


引用嵌套里的名字时,使用多层作用域操作符
using A::B::k;
或 using namespace A::B;

命名空间别名:一般是为了方便使用,给较长的命名空间取一个较短的命名空间来使用
取别名的语法:
namespace 源空间名 = 别名;
能使用别名来访问源命名空间里的成员,但不能为源命名空间引入新的成员

命名空间函数重载:如果从多个命名空间里引入同名而不同参的函数,且它们满足构成重载的条件,则构成重载
例:
 

C++代码
  1. //a.h   
  2. namespace A{   
  3.   void f(char) {//...}   
  4. }   
  5.   
  6. //b.h   
  7. namespace B{   
  8.  void f(int) {//...}   
  9. }   
  10.   
  11. //test.c   
  12. #include "a.h"   
  13. #include "b.h"   
  14. void test()   
  15. {   
  16.    using A::f;   
  17.    using B::f;   
  18.    f('a');//A::f(char)   
  19.    f(10);//B::f(int)   
  20. }  

你可能感兴趣的:(C++命名空间(1))