目录
一、域作用限定符
:: 即是域作用限定符,它的作用是指明一个标识符(变量、函数或类)来自哪一个作用域范围
二、编译器搜索变量、函数等的原则
1.先搜索局部变量,2.再搜索全局变量,3.最后搜索指定的命名空间域
三、命名空间域
用来解决变量、函数等重命名问题
如下,对于重命名的变量x编译器会报错

使用命名空间域解决这个问题
1.方法一:使用域作用限定符来指定变量的位置
cpp
#include <iostream>
namespace bit1
{
int a = 10;
}
namespace bit2
{
int a = 20;
}
int main()
{
printf("%d\n", bit1::a);
printf("%d\n", bit2::a);
return 0;
}
2.方法二: 命名空间域展开(展开后就无需使用域作用限定符来指定变量的位置)
cpp
#include <iostream>
namespace bit1
{
int a = 10;
int b = 20;
int c = 30;
}
using namespace bit1;
int main()
{
printf("%d\n", a);
printf("%d\n", b);
printf("%d\n", c);
return 0;
}
3.方法三:使用using将命名空间中的某个成员引入
命名空间域std被包含在头文件 iostream 中,同时cout 与 endl 被封装在命名空间域std中
cpp
#include <iostream>
using std::cout;
using std::endl;
int main()
{
cout << "hello world" << endl;
return 0;
}
**补充:**命名空间域可以重名,编译器会将重名的两个命名空间域合并
四、命名空间域的嵌套使用
可以在命名空间域中嵌套多个命名空间域
cpp
#include <iostream>
using std::cout;
using std::endl;
namespace bit
{
namespace zz
{
int x = 0;
}
namespace zbc
{
int x = 10;
}
}
int main()
{
cout << bit::zbc::x << endl;
cout << bit::zz::x << endl;
return 0;
}
五、命名空间域展开与头文件展开的区别
头文件展开是将头文件中包含的内容拷贝到源文件中
命名空间域展开是扩大编译器的搜索范围,编译器可以到被展开的命名空间域中搜索变量、函数等