覆盖私有函数,它与受保护的有什么不同?

时间:2017-08-18 14:33:16

标签: c++ inheritance

在下面的程序中,如果GetPart()被保护而不是私有,那么这些类中的外部(派生)类或其他成员函数会有区别吗?即是否存在编译错误,如果函数在基类中受到保护,可能会因为私有而导致编译错误?

我发现最近可以覆盖私有虚拟功能,这让我感到惊讶。从语义上看,这似乎(对我来说)是受保护的工作,而不是私人工作。

#include <iostream>

class A {
public:
    A() {}
    virtual ~A() {}

    virtual void runFn() { GetPart(); }

private:
    virtual void GetPart() = 0;
};

class B : public A {
public:
    B() {}
    virtual ~B() {}

private:
    virtual void GetPart() override { std::cout << "GETPART RUN" << std::endl; }
};

int main()
{
    B b;
    b.runFn();
    return 0;
}

请参阅http://ideone.com/S9681V以显示该行已运行,因为该函数已正确覆盖。

1 个答案:

答案 0 :(得分:7)

这个主题引起了很多困惑:即使允许子类覆盖虚拟私有成员函数,也不允许它们调用它们。

目前,这不会编译(demo 1):

class B : public A {
public:
    B() {}
    virtual ~B() {}
private:
    virtual void GetPart() override {
        // This line would not compile
        A::GetPart();
        std::cout << "GETPART RUN" << std::endl;
    }
};

使GetPart()函数受保护会使上面的代码编译没有问题,但它需要您提供定义(demo 2)。

这是唯一的区别。