C ++的纯虚函数实现和头文件

时间:2011-01-13 00:29:42

标签: c++ inheritance abstract pure-virtual

当有问题的类分为*.h*.cpp files时,我在实现从某个抽象类继承的纯虚函数时遇到了一些麻烦。编译器(g++)告诉我,由于纯函数的存在,派生类无法实例化。

/** interface.h**/
namespace ns
{
    class Interface {
        public:
            virtual void method()=0;
    }
}

/** interface.cpp**/
namespace ns
{
    //Interface::method()() //not implemented here
}

/** derived.h **/
namespace ns
{
    class Derived : public Interface {
        //note - see below
    }
}

/** derived.cpp **/
namespace ns
{
    void Derived::Interface::method() { /*doSomething*/ }
}

/** main.cpp **/
using namespace ns;
int main()
{
    Interface* instance = new Derived; //compiler error
}

这是否意味着我必须声明两次 - 在接口的*.hderived.h中?没有别的办法吗?

2 个答案:

答案 0 :(得分:14)

您忘记声明Derived::method()

您尝试至少定义它,但写了Derived::Interface::method()而不是Derived::method(),但您甚至没有尝试声明它。因此它不存在。

因此,Derived没有method(),因此来自method()的纯虚函数Interface未被覆盖...因此,Derived也是纯虚拟,无法实例化。

此外,public void method()=0;无效C ++;它看起来更像Java。纯虚拟成员函数实际上必须是虚拟的,但您没有编写virtual。访问说明符后面跟冒号:

public:
    virtual void method() = 0;

答案 1 :(得分:13)

您必须在子类中声明您的方法。

// interface.hpp
class Interface {
public:
    virtual void method()=0;
}

// derived.hpp
class Derived : public Interface {
public:
    void method();
}

// derived.cpp
void
Derived::method()
{
    // do something
}