我在实现从某个抽象类继承来的纯虚函数时遇到了一些麻烦,当这些类被分成*.h
和*.cpp
文件时,编译器(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
}
这是否意味着我必须在接口的*.h
和derived.h
中声明method()两次?
3条答案
按热度按时间emeijp431#
你必须在子类中声明你的方法。
ejk8hzay2#
您忘记声明
Derived::method()
。您至少尝试定义它,但是写的是
Derived::Interface::method()
而不是Derived::method()
,但是您甚至没有尝试声明它,因此它不存在。因此,
Derived
没有method()
,因此来自Interface
的纯虚函数method()
没有被覆盖......因此,Derived
也是纯虚的,不能被示例化。此外,
public void method()=0;
不是有效的C++;它看起来更像Java,纯虚成员函数必须是虚的,但是你没有写virtual
,访问说明符后面跟一个冒号:qij5mzcb3#
你也没有正确地调用构造函数--它也是一个方法;
应该是