我收到了警告。 我的部分代码是:
class Base {
public:
virtual void process(int x) {;};
virtual void process(int a,float b) {;};
protected:
int pd;
float pb;
};
class derived: public Base{
public:
void process(int a,float b);
}
void derived::process(int a,float b){
pd=a;
pb=b;
....
}
我收到了警告:
Warning: overloaded virtual function "Base::process" is only partially overridden in class "derived"
我将进程作为虚函数的任何方式,所以我期待这个警告不应该...... 这背后的原因是什么?
答案 0 :(得分:8)
警告的原因
Warning: overloaded virtual function "Base::process" is only partially overridden in class "derived"
是你没有覆盖所有签名,你已经为
做了virtual void process(int a,float b) {;}
但不适用于
virtual void process(int x) {;}
此外,当您不覆盖并且不使用using Base::process
将函数引入范围时,对derived::process(int)
的静态调用甚至不会编译。这是因为Derived在这种情况下没有process(int)
。所以
Derived *pd = new Derived();
pd->process(0);
和
Derived d;
d.process(0);
不会编译。
添加using
声明将解决此问题,通过指向Derived *的指针和选择运算符d.process(int)进行静态调用以进行编译和虚拟调度(通过基指针或引用调用派生)编译没有警告。
class Base {
public:
virtual void process(int x) {qDebug() << "Base::p1 ";};
virtual void process(int a,float b) {qDebug() << "Base::p2 ";}
protected:
int pd;
float pb;
};
class derived: public Base{
public:
using Base::process;
/* now you can override 0 functions, 1 of them, or both
* base version will be called for all process(s)
* you haven't overloaded
*/
void process(int x) {qDebug() << "Der::p1 ";}
void process(int a,float b) {qDebug() << "Der::p2 ";}
};
现在:
int main(int argc, char *argv[])
{
derived d;
Base& bref = d;
bref.process(1); // Der::p1
bref.process(1,2); // Der::p2
return 0;
}
答案 1 :(得分:3)
当您覆盖类中的虚方法时,该方法中未覆盖的任何重载都将隐藏该类,并且无法使用。因此,在您的示例中,尝试在process(int)
对象上调用derived
会失败,因为被覆盖的process(int, float)
已隐藏它。
答案 2 :(得分:1)
您只覆盖了process
的两个重载中的一个。您错过了只占int
的重载。
class Base {
public:
virtual void process(int x) {;}; // You do *not* override this in derived
virtual void process(int a,float b) {;}; // You do override this
// ...
};
根据您的需要,您可以:
在int
中也可以覆盖derived
重载;或
使int
超载非虚拟化并让它调用虚拟int, float
重载。
两个附注:(a)虽然大多数编译器接受它,但函数体之后的;
在语法上是错误的。 (b)受保护的成员变量通常几乎与公共成员一样不受欢迎;你应该使用受保护的getter / setter并将变量设为私有。
答案 3 :(得分:0)
当您声明与Base
中的方法同名的方法时,这些方法将被隐藏。
当您覆盖一个方法时就是这种情况。
所以
derived d;
d.process(42); // won't compile
要解决此问题:添加using Base::process
:
class derived: public Base {
public:
using Base::process;
void process(int a, float b);
};
如前所述方法不要沉默lint警告,
另一种解决方法是覆盖每个方法process
:
class derived: public Base {
public:
void process(x) { Base::process(x); }
void process(int a, float b);
};
答案 4 :(得分:0)
长话短说,在尝试解析名称时,部分覆盖重载函数可能很奇怪。
此外,从设计的角度来看。模式通常很奇怪。我有一个我已经决定的功能足以保证相同的名称:一般来说,它是一个默认的协议,它做同样的事情。当您更改子类中函数的行为时,如果您仅在派生中更改其中的一部分,则会很奇怪。基本上,它易于阅读(使用〜=大致相等)
// IMPLICIT STATEMENTS
1)Base :: process(int)〜= Base :: process(int,float)
2)derived :: process(int)〜= derived :: process(int,float)
//显性语句
3)Base :: process(int)== derived :: process(int)
4)Base :: process(int,float)!= derived :: process(int,float)
基本上,由于3和4冲突,所以2不可能是真的。