在C ++中为std名称空间使用完全限定名称

时间:2019-02-17 10:04:56

标签: c++ namespaces naming name-lookup scope-resolution

如果C ++中的名称不完全限定,例如std::cout,可能会导致意外错误,例如https://en.cppreference.com/w/cpp/language/qualified_lookup所述。但是,请为::std名称空间使用完全限定的名称,例如我注意到,::std::cout很少见。

为什么没有使用::std名称空间的完全限定名称?

那么对于自己创建的名称空间使用完全限定的名称呢?这是个好主意吗?

2 个答案:

答案 0 :(得分:10)

您是完全正确的,在某种意义上,yyyy::xxx可能是模棱两可的,如果存在在相同范围内可见的名称空间yyyy和类yyyy。在这种情况下,只有完全限定::yyyy::xxx才能解决歧义。链接的示例非常清楚:

// from cppreference.com
#include <iostream>
int main() {
  struct std{};
  std::cout << "fail\n"; // Error: unqualified lookup for 'std' finds the struct
  ::std::cout << "ok\n"; // OK: ::std finds the namespace std
}

但是实际上,很难在顶层创建冲突的std,因为标准库中的大多数包含内容都会使其失败:

#include <iostream>

struct std {      // OUCH: error: ‘struct std’ redeclared as different kind of symbol
    int hello;  
}; 

这意味着要产生冲突,您需要定义本地类或在另一个名称空间中引入using子句。另外,没有人会(敢于)调用类std

最后,实际上,::yyyy::xxx不太方便阅读。所有这些解释了为什么您不会经常找到它。

附加说明

对于众所周知的std来说,问题并不多,而是您自己的名称空间和第三方库。在这种情况下,namespace alias可以更好地代替:::yyyy消除歧义:

namespace foo {
    void printf() { }
}
int main() {
    foo::printf();          // ok, namespace is chose because no ambiguity
    struct foo {/*...*/ };  // creates ambiguity
    //foo::printf();        // error because struct foo is chosen by name lookup
    ::foo::printf();        // ok, but not if you  decide to move the code to be nested in another namespace
    namespace  mylib = foo ;   // or ::foo (see discussion below)
    mylib::printf();        // full flexibility :-)
}

它的优点是更高的灵活性。例如,假设您要移动代码以将其嵌套在一个封闭的名称空间中。使用名称空间别名,您的代码可以继续按原样工作(在最坏的情况下,对别名定义进行小的调整)。使用全局范围解析,您必须更改将使用全局命名空间::foo的所有语句。

答案 1 :(得分:0)

为了保持较大的代码或更好的可读性或名称冲突,C ++提供了名称空间“声明性区域”。 名称空间定义只能出现在全局范围内,或嵌套在另一个名称空间内。

#Sample Code
#include <iostream>
int main() 
{
      struct std{};
      std::cout << "fail\n"; // Error: unqualified lookup for 'std' finds the struct
      ::std::cout << "ok\n"; // OK: ::std finds the namespace std
}

在上面的代码中,编译器正在 struct std 中寻找cout,但在下一行中,当您使用 :: std :: cout 时,它将寻找 cout 在全局定义的std类中。

解决方案:

#include <iostream>
//using namespace std; // using keyword allows you to import an entire namespace at once. 

namespace test
{
    void cout(std::string str)
    {
       ::std::cout<<str; 
    }
}

int main() 
{
    cout("Hello");//'cout' was not declared in this scope
    ::test::cout("Helloo ") ;
    ::std::cout<<"it is also ok\n";
}

或者以这种方式使用,这只是为了提高可读性

##
using namespace test;
int main() 
{
    cout("Hello");//'cout' was not declared in this scope
    cout("Helloo ") ;
    ::std::cout<<"it is also ok\n";
}