我正在学习C ++ 03标准,现在正在阅读[7.3.3]/11
,但我无法理解以下段落:
如果命名空间作用域或块作用域中的函数声明具有相同的名称和相同的参数 类型作为由using声明引入的函数,并且声明不声明相同的函数, 该计划格式不正确。
我在任何地方都没有找到任何这种情况的例子,我不明白这段经文的含义。
答案 0 :(得分:5)
这意味着:
namespace namespace_1
{
void foo(int number);
}
using namespace_1::foo;
void foo(int roll_no);
这意味着该计划格式不正确。 我认为这意味着该功能会让人感到困惑。在某一点上,函数定义将使用传递的int作为整数(一般),但在另一种情况下,我们将它用作roll_no。
这也会导致重载函数匹配的模糊性。
您引用的来源在您引用的行的下方给出了一个示例:
namespace B {
void f(int);
void f(double);
}
namespace C {
void f(int);
void f(double);
void f(char);
}
void h() {
using B::f; // B::f(int) and B::f(double)
using C::f; // C::f(int), C::f(double), and C::f(char)
f('h'); // calls C::f(char)
f(1); // error: ambiguous: B::f(int) or C::f(int)?
void f(int); // error: f(int) conflicts with C::f(int) and B::f(int)
}
答案 1 :(得分:3)
以下程序包含错误
#include <iostream>
namespace _1{
int f(){
std::cout << "_1::f\n";
}
}
namespace _2{
/*
*If a function declaration in namespace scope or block scope has the
*same name and the same parameter types as a function introduced by
* a using-declaration
*/
using _1::f;
// This is not the same function as introduced by the using directive
int f(){
std::cout << "_2::f\n";
}
}
int main(){
_2::f();
}
诊断是
main.cpp: In function ‘int _2::f()’:
main.cpp:13:11: error: ‘int _2::f()’ conflicts with a previous declaration
int f(){
作为对比,以下程序是正确的。 _1名称空间是通过using指令引入的。
#include <iostream>
namespace _1{
int f(){
std::cout << "_1::f\n";
}
}
namespace _2{
using namespace _1;
int f(){
std::cout << "_2::f\n";
}
}
int main(){
_2::f();
}
预期输出
_2::f
至于块范围内的相同情况,你有
#include <iostream>
namespace _1{
int f(){
std::cout << "_1::f\n";
}
}
namespace _2{
int g(){
// As before but in block scope.
using _1::f;
int f();
f();
}
int f(){
std::cout << "_2::f\n";
}
}
int main(){
_2::f();
}
诊断相同
main.cpp: In function ‘int _2::g()’:
main.cpp:15:15: error: ‘int _2::f()’ conflicts with a previous declaration
int f();
^
上述成功样本的并行结构将是
#include <iostream>
namespace _1{
int f(){
std::cout << "_1::f\n";
}
}
namespace _2{
int g(){
using namespace _1;
int f();
f();
}
int f(){
std::cout << "_2::f\n";
}
}
int main(){
_2::g();
}
输出
_2::f