命名空间 附加信息来区分不同库中相同名称的函数、类、变量等。使用了命名空间即定义了上下文。本质上,命名空间就是定义了一个范围。
定义命名空间
命名空间的定义使用关键字 namespace
,后跟命名空间的名称。
opencv 的命名空间(部分)
namespace cv
{
static inline uchar abs(uchar a) { return a; }
static inline ushort abs(ushort a) { return a; }
static inline unsigned abs(unsigned a) { return a; }
static inline uint64 abs(uint64 a) { return a; }
using std::min;
using std::max;
using std::abs;
using std::swap;
using std::sqrt;
using std::exp;
using std::pow;
using std::log;
}
为了调用带有命名空间的函数或变量,需要在前面加上命名空间的名称,如下所示:
cv::boxFilter();
菜鸟教程实例
#include <iostream>
using namespace std;
// 第一个命名空间
namespace first_space {
void func() {
cout << "Inside first_space" << endl;
}
}
// 第二个命名空间
namespace second_space {
void func() {
cout << "Inside second_space" << endl;
}
}
int main () {
// 调用第一个命名空间中的函数
first_space::func();
// 调用第二个命名空间中的函数
second_space::func();
return 0;
}
输出
Inside first_space
Inside second_space
using 指令
使用
using namespace
指令,这样在使用命名空间时就可以不用在前面加上命名空间的名称,该指令会告诉编译器,后续代码将使用指定命名空间中的名称。
嵌套的命名空间
命名空间可以嵌套,您可以在一个命名空间中定义另一个命名空间,如下所示:
namespace namespace_name1 {
// 代码声明
namespace namespace_name2 {
// 代码声明
}
}
通过使用 ::
运算符来访问嵌套的命名空间中的成员:
// 访问 namespace_name2 中的成员
using namespace namespace_name1::namespace_name2;
// 访问 namespace:name1 中的成员
using namespace namespace_name1;
实例
#include <iostream>
using namespace std;
// 第一个命名空间
namespace first_space{
void func(){
cout << "Inside first_space" << endl;
}
// 第二个命名空间
namespace second_space{
void func(){
cout << "Inside second_space" << endl;
}
}
}
using namespace first_space::second_space;
int main () {
// 调用第二个命名空间中的函数
func();
return 0;
}
输出
Inside second_space