C++中函数的动态绑定

所谓动态绑定,其实就是接口的实现由派生类完全覆盖。

就是说原本声明的类型是基类B,但是调用函数的时候执行的却是不同派生类(由初始化或者赋值的时候定义)D的函数。动态绑定出现的条件有两个

  1. 只有虚函数才能进行动态绑定。
  2. 必须通过基类类型的引用或指针进行函数调用。

例子

#include 
using namespace std;
class Base
{
    public:
        virtual void vf()
        {
            cout << "virtual function from Base " << endl;
        }
        void f()
        {
            cout << "function from Base" << endl; 
        }
};

class Derived:public Base
{
    public:
        void vf()
        {
            cout << "virtual function from Derived " << endl;
        }
        void f()
        {
            cout << "function from Derived" << endl; 
        }
};
int main()
{
    Base* b;
    b=new Derived();
    b->vf();
    b->f();
}

返回结果:

virtual function from Derived 
function from Base

你可能感兴趣的:(C++语言特性)