Answers:
名称空间别名是通过不同的较短名称来引用长名称空间名称的便捷方法。
例如,假设您想使用Boost的uBLAS中的数字矢量而没有using namespace
指令。每次都要声明完整的名称空间很麻烦:
boost::numeric::ublas::vector<double> v;
相反,您可以为boost::numeric::ublas
- 定义一个别名,例如我们想将其缩写为ublas
:
namespace ublas = boost::numeric::ublas;
ublas::vector<double> v;
很简单,#define不起作用。
namespace Mine { class MyClass { public: int i; }; }
namespace His = Mine;
namespace Yours { class Mine: public His::MyClass { void f() { i = 1; } }; }
编译正常。使您可以解决名称空间/类名称冲突。
namespace Nope { class Oops { public: int j; }; }
#define Hmm Nope
namespace Drat { class Nope: public Hmm::Oops { void f () { j = 1; } }; }
在最后一行,“ Hmm:Oops”是编译错误。预处理器将其更改为Nope :: Oops,但是Nope已经是一个类名。
这完全是为looong名称空间名称选择别名,例如:
namespace SHORT = NamespaceFirst::NameSpaceNested::Meow
然后,您可以键入def
typedef SHORT::mytype
代替
typedef NamespaceFirst::NameSpaceNested::Meow::mytype
此语法仅适用于名称空间,不能在 namespace NAME =
还要注意,名称空间别名和using指令是在编译时而不是运行时解析的。(更具体地说,如果在当前作用域或其父作用域中找不到特定的符号,它们都是用来告诉编译器解析名称的其他工具。)例如,它们都不会有编译:
namespace A {
int foo;
namespace AA {
int bar;
} // namespace AA
namespace AB {
int bar;
} // namespace AB
} // namespace A
namespace B {
int foo;
namespace BA {
int bar;
} // namespace BA
namespace BB {
int bar;
} // namespace BB
} // namespace B
bool nsChooser1, nsChooser2;
// ...
// This doesn't work.
namespace C = (nsChooser1 ? A : B);
C::foo = 3;
// Neither does this.
// (Nor would it be advisable even if it does work, as compound if-else blocks without braces are easy to inadvertently break.)
if (nsChooser1)
if (nsChooser2)
using namespace A::AA;
else
using namespace A::AB;
else
if (nsChooser2)
using namespace B::BA;
else
using namespace B::BB;
现在,一个好奇的人可能已经注意到constexpr
变量也在编译时使用,并且想知道它们是否可以与别名或指令一起使用。据我所知,他们不能,尽管我对此可能是错的。如果需要在不同的名称空间中使用名称相同的变量,并在它们之间动态选择,则必须使用引用或指针。
// Using the above namespaces...
int& foo = (nsChooser1 ? A::foo : B::foo);
int* bar;
if (nsChooser1) {
if (nsChooser2) {
bar = &A::AA::bar;
} else {
bar = &A::AB::bar;
}
} else {
if (nsChooser2) {
bar = &B::BA::bar;
} else {
bar = &B::BB::bar;
}
}
以上内容的用途可能有限,但应达到目的。
(对于上面可能遗漏的任何错字,我深表歉意。)
命名空间用于防止名称冲突。
例如:
namespace foo {
class bar {
//define it
};
}
namespace baz {
class bar {
// define it
};
}
现在,您有了两个类的名称栏,这些名称栏完全不同,并且由于命名空间的不同而分开。
您显示的“使用名称空间”是这样,您不必指定名称空间即可在该名称空间中使用类。即std :: string变成字符串。