命名空间
命名空间:变量、函数和类的名称都存在于全局作用域中,可能会导致命名冲突,C++通过引入命名空间来解决命名冲突。
- 命名空间的定义
定义命名空间,需要使用到namespace关键字,后面跟命名空间的名字,然后接{},{}中包含命名成员。
//1. 普通的命名空间
namespace D1
{
int a;
int Add(int n1, int n2)
{
return n1 + n2;
}
}
//2.命名空间可以嵌套
namespace D2
{
int a;
int Add(int n1, int n2)
{
return n1 + n2;
}
namespace D2
{
int c;
int Sub(int n1, int n2)
{
return n1 - n2;
}
}
}
//3. 同一个工程中允许相同名称的命名空间,编译器最后会合成同一个命名空间去
namespace D1
{
int Mil(int n1, int n2)
{
return n1 * n2;
}
}
- 如何访问命名空间里的变量和函数呢?
#include<iostream>
int c = 0;
int main()
{
//我们通过::访问命名空间中的变量或函数
D1::a = 10;
D1::Add(3,4);
//出现相同名称变量
int c = 0;
std::cout << c << std::endl;//默认打印当前作用域下的c
std::cout << ::c << std::endl;//打印全局作用域下的c
return 0;
}
- 命名空间使用
- 加命名空间名称及作用域限定符
int main()
{
std::cout << " hello world << std::endl;
return 0;
}
- 使用using将命名空间中成员引入(强烈推荐)
using std::cout;
using std::endl;
int main()
{
cout << " hello world << endl;
return 0;
}
- 使用using namespace将命名空间名称引入
using namespace std;
int main()
{
cout << " hello world << endl;
}