C ++标准中有什么东西阻止我重载超类的功能吗?
从这对课开始:
class A { // super class
int x;
public:
void foo (int y) {x = y;} // original definition
};
class B : public A { // derived class
int x2;
public:
void foo (int y, int z) {x2 = y + z;} // overloaded
};
我可以轻松致电B::foo()
:
B b;
b.foo (1, 2); // [1]
但是,如果我尝试拨打A::foo()
...
B b;
b.foo (12); // [2]
...我收到编译错误:
test.cpp: In function 'void bar()':
test.cpp:18: error: no matching function for call to 'B::foo(int)'
test.cpp:12: note: candidates are: void B::foo(int, int)
为了确保我没有遗漏某些东西,我更改了B
函数的名称,以便没有重载:
class B : public A {
int x2;
public:
void stuff (int y, int z) {x2 = y + z;} // unique name
};
现在我可以使用第二个例子来呼叫A::foo()
。
这是标准吗?我正在使用g ++。
答案 0 :(得分:17)
您需要在类B
的定义中使用using声明:
class B : public A {
public:
using A::foo; // allow A::foo to be found
void foo(int, int);
// etc.
};
如果没有using声明,编译器会在名称查找期间找到B::foo
,并且实际上不会搜索具有相同名称的其他实体的基类,因此找不到A::foo
。
答案 1 :(得分:0)
您没有覆盖A::foo(int)
的实现,而是将A::foo
别名并将其签名更改为(int,int)而不是(int)。正如James McNellis所提到的,using A::foo;
声明使得A中的函数可用。