0

如何从子类中重写的函数调用超类中的重写函数?

例如:super 类有一个名为 foo 的函数,该函数在名为 sub 的子类中被覆盖,如何让 subs foo 调用 supers foo?

4

3 回答 3

1

您可以利用继承!

class A
{
public:
    virtual void Foo()
    {
        // do some base class foo-ing
    }
};

class B : public A
{
public:
    virtual void Foo()
    {
        // do some subclass foo-ing

        // to call the super-class foo:
        A::Foo( );
    }
};

void main()
{
    B obj;
    obj.Foo( );

    // This is if you want to call the base class Foo directly using the instance obj
    A* handle = &obj;
    handle->Foo( );
}
于 2013-08-27T20:40:22.670 回答
0

我想你在谈论覆盖,而不是重载。对函数的合格调用不会使用动态调度机制,您可以控制要选择的覆盖:

struct base {
   virtual void foo() {...}
};
struct derived : base {
   virtual void foo() {
      base::foo();           // call the override at 'base' level
      ...
   }
};

如果您真的在谈论重载,您可以使用相同的机制,或者您可以将重载带入派生类型的范围:

struct base {
   void foo(int);
};
struct derived : base {
   using base::foo;           // make all overloads of base::foo available here
   void foo(double);
   void f() { base::foo(1); } // alternatively qualify the function call
};
于 2013-08-27T19:07:31.767 回答
0

你可以使用超级::foo。例如:

#include <stdio.h>

class A
{
public:
    void foo(void)
    {
        printf("Class A\n");
    }
};

class B : public A
{
public:
    void foo(void)
    {
        printf("Class B\n");
        A::foo();
    }
};

int main ()
{
    B b;
    b.foo();
}
于 2013-08-27T19:08:30.943 回答