可能某种情况下,写了一个fun()函数,而正好所引用的库中也包含fun()函数,这个时候编译器不知道到底该用哪个函数,就会报错。基于这种情况下,使用命名空间(namespace)来解决该问题。
简单使用命名空间
#include <iostream>
using namespace std;
namespace hello {
void fun() {
std::cout << "hello" << std::endl;
}
}
namespace world {
void fun() {
std::cout << "world" << std::endl;
}
}
int main(int argc, char const *argv[])
{
hello::fun();
world::fun();
return 0;
}
定义了两个namespace,hello和world,各有一个fun()函数,在调用的时候通过添加命名空间名称的方式进行区分。
复合使用命名空间
有些情况下,简单的一个namespace可能还是无法避免函数冲突,这个时候需要namespace的嵌套来解决该问题。
#include <iostream>
using namespace std;
namespace hello {
namespace world {
void fun() {
std::cout << "hello world" << std::endl;
}
}
}
int main(int argc, char const *argv[])
{
hello::world::fun();
return 0;
}
上述只是嵌套了两层,实际上可以嵌套很多层,根据实际的需求来写就可以了。
头文件中使用命名空间
有些时候,函数的定义和实现是在另一个文件中实现,这个时候需要在头文件中也使用命名空间。
头文件声明如下:
namespace china {
namespace jiangsu {
namespace nanjin {
namespace jiangning {
void fun();
}
}
}
}
fun()函数的具体实现:
#include <iostream>
#include "inc.h"
using namespace std;
namespace china {
namespace jiangsu {
namespace nanjin {
namespace jiangning {
void fun() {
std::cout << "this is a namaspace test!" << std::endl;
}
}
}
}
}
调用方式:
#include <iostream>
#include "inc.h"
using namespace std;
int main(int argc, char const *argv[])
{
china::jiangsu::nanjin::jiangning::fun();
return 0;
}
注意:头文件中的namespace和函数实现的要一致,且函数实现一定也要加上namespace
使用using来使用namespace
上述的调用方式是直接通过命名空间的名称逐层调用到fun()函数的,使用using后在使用命名空间时就可以不用在前面加上命名空间的名称,方法如下:
#include <iostream>
#include "inc.h"
using namespace std;
using namespace china::jiangsu::nanjin::jiangning;
int main(int argc, char const *argv[])
{
fun();
return 0;
}
注意:如果using namespace没有写到jiangning这一层,那么在使用fun的时候还需要加上缺少的命名空间名称,例如:
#include <iostream>
#include "inc.h"
using namespace std;
using namespace china::jiangsu::nanjin;
int main(int argc, char const *argv[])
{
jiangning::fun();
return 0;
}