3.重定义 (redefining):
子类重新定义父类中有相同名称的非虚函数 ( 参数列表可以不同 ) 。
4.隐藏
// // main.cpp // TestOveride // // Created by New_Life on 2017/4/26. // Copyright © 2017年 chenhuan001. All rights reserved. // #include <iostream> #include <stdio.h> #include <string.h> using namespace std; class A { public: void overload_print(int a) {// 1 cout << "overload A: a" << endl; } void overload_print(int a, int b) {// 2,重载1 cout << "overload A: a , b" << endl; } /* 编译错误,不能出现重载 * Functions that differ only in their return type cannot be overloaded * overload_print(1) 的时候,谁知道你调用的什么。 int overload_print(int a) { return 1; } */ /* 编译错误,static 与 virtual 定义冲突 * 虚函数只能出现在no-static中 * 'virtual' can only appear on non-static member functions static virtual void virtual_print() { cout << "virtual A: " << endl; } */ void redefine_print() {//3 cout << "redefine A: " << endl; } // -------------- Test hidden ----------------// void hidden_print() { cout << "hidden A:" << endl; } void hidden_print(int a) { cout << "hidden A: a" << endl; } private: virtual void override_print() {// 4 cout << "override A: " << endl; } void redefine_print(int a) {// 5 cout << "redefine priavte A: a" << endl; } }; class B : public A { public: void override_print() { //重写(覆盖)了4, private -> public,其实可以看出是一个新的。 cout << "override B: " << endl; } void redefine_print() {//重定义 3 cout << "redefine B: " << endl; } void redefine_print(int a) {//重定义 5, 说明父类为private的函数也能重定义,也可以看出一个新的。 cout << "redefine B: a" << endl; } // ------------- Test hidden -----------------// void hidden_print(int a, int b) { cout << "hidden B: a, b" << endl; } }; int main(int argc, const char * argv[]) { B b; b.overload_print(1, 2); //打印 重载 b.override_print(); //打印 重写 b.redefine_print(); //打印重定义 b.redefine_print(1); //打印重定义,private /* 编译错误,因为这两个父类的函数,因为同名被隐藏了。使用b.A::hidden_print(), b.A::hidden_print(1)即可 * Too few arguments to function call, expected 2, have 0; did you mean 'A::hidden_print'? b.hidden_print(); b.hidden_print(1); */ b.hidden_print(1, 2); return 0; }