我想要防止甚至隐藏基类非虚函数一段时间,因为我学习了C,我不确定这是否符合道德规范,但C 11特性给了我一个想法.假设我有以下内容:
bases.h ….
#ifndef baseexample_h #define baseexample_h #include <iostream> class Base{ public: void foo() { std::cout << "Base.foo()\n" << std::endl; } }; class Derived: public Base{ public: void foo(){ std::cout << "Derived.foo()\n" << std::endl; } }; #endif
和main.cpp …
#include "bases.h" #include <iostream> int main() { Base base; Derived derived; base.foo(); derived.foo(); std::cin.get(); return 0; };
当然是输出
Base.foo() Derived.foo()
因为派生的foo()函数隐藏了基本的foo函数.我想防止可能的隐藏,所以我的想法是将头文件基本定义更改为:
//..... class Base{ public: virtual void foo() final { std::cout << "Base.foo()\n" << std::endl; } }; class Derived: public Base{ public: void foo(){ //compile error std::cout << "Derived.foo()\n" << std::endl; } }; //......
这似乎强制执行我想要的编译器错误,防止覆盖和/或隐藏在c中,但我的问题是,这是一个很好的做法,因为foo()从来不是一个虚拟函数开始?这是否有不利因为我有点滥用虚拟关键字?谢谢.