函数覆盖是在具有相同签名(即返回类型和参数)的派生类中重新定义基类函数。
但是在某些情况下,程序员在覆盖该函数时会犯一个错误。因此,为了跟踪此类错误,C++ 11提出了关键字override。它将使编译器检查基类,以查看是否存在具有此确切签名的虚函数。如果没有,编译器将显示错误。
从以下示例中可以更清楚地看出这一点:
// A CPP program without override keyword. Here
// programmer makes a mistake and it is not caught.
#include
using namespace std;
class Base {
public:
// user wants to override this in
// the derived class
virtual void func() {
cout << "I am in base" << endl;
}
};
class derived : public Base {
public:
// did a silly mistake by putting
// an argument "int a"
void func(int a) {
cout << "I am in derived class" << endl;
}
};
// Driver code
int main()
{
Base b;
derived d;
cout << "Compiled successfully" << endl;
return 0;
}
输出:
Compiled successfully
说明:在这里,用户打算重写派生类中的func()函数,但犯了一个愚蠢的错误,并使用不同的签名重新定义了该函数。编译器未检测到哪个。但是,该程序实际上并不是用户想要的。因此,为了安全地消除这种愚蠢的错误,可以使用override关键字。
下面是一个C++示例,以显示C++中override关键字的使用。
// A CPP program that uses override keyword so
// that any difference in function signature is
// caught during compilation.
#include
using namespace std;
class Base {
public:
// user wants to override this in
// the derived class
virtual void func()
{
cout << "I am in base" << endl;
}
};
class derived : public Base {
public:
// did a silly mistake by putting
// an argument "int a"
void func(int a) override
{
cout << "I am in derived class" << endl;
}
};
int main()
{
Base b;
derived d;
cout << "Compiled successfully" << endl;
return 0;
}
输出:
prog.cpp:17:7: error: 'void derived::func(int)'
marked 'override', but does not override
void func(int a) override
^
简而言之,它具有以下功能。它有助于检查是否:
- 父类中有一个同名的方法。
- 父类中的方法被声明为“虚拟”,这意味着它打算被重写。
- 父类中的方法与子类中的方法具有相同的签名。
要从最佳影片策划和实践问题去学习,检查了C++基础课程为基础,以先进的C++和C++ STL课程基础加上STL。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程” 。