我写了一组类来检查合成模式。
这是我的代码:
#include <iostream>
#include <string>
#include <list>
#include "InvalidCompositeException.h"
using namespace std;
class Composite;
class Component {
public:
Component() {}
virtual ~Component() {}
virtual string getName() = 0;
virtual int getNetPrice() = 0;
virtual Composite* getComposite() {
try {
throw myEx;
} catch (InvalidCompositeException& e) {
cout<<"Exception: "<<e.what();
}
return 0;
}
**virtual void add(Component* c);
virtual void remove(Component* c);**
private:
};
class Composite : public Component {
public:
Composite():mChildList(new list<Component*>()) {}
virtual ~Composite() {
mChildList->clear();
delete mChildList;
}
virtual string getName() {return "Composite";}
virtual int getNetPrice() {
list<Component*>::iterator i;
int sum = 0;
for(i=mChildList->begin(); i!= mChildList->end(); ++i) {
sum = sum + (*i)->getNetPrice();
}
return sum;
}
virtual void add(Component* c) {
mChildList->push_back(c);
}
virtual void remove(Component* c) {
mChildList->remove(c);
}
private:
list<Component*>* mChildList;
};
class Container: public Composite {
public:
Container() {}
virtual ~Container() {}
string getName() {
cout<<"container"<<endl;
return "container";
}
};
class Line: public Component {
public:
Line(): mNetPrice(50) {}
~Line() {};
int getNetPrice() { return mNetPrice; }
string getName() {
cout<<"line"<<endl;
return "line";
}
private:
int mNetPrice;
};
class Text: public Component {
public:
Text(): mNetPrice(100) {}
~Text() {};
int getNetPrice() { return mNetPrice; }
string getName() {
cout<<"Text"<<endl;
return "Text";
}
private:
int mNetPrice;
};
int main(void) {
Container* c = new Container();
Line* l = new Line();
Text* t = new Text();
c->add(l);
c->add(l);
c->add(t);
cout<<"total price for c is "<<c->getNetPrice();
l->getComposite();
delete t;
delete l;
delete c;
return EXIT_SUCCESS;
}
我的代码运行正常,除非我在父类中添加那些我收到错误的粗线
undefined reference to `vtable for Component' // on this line virtual ~Component() {}
undefined reference to `Component::add(Component*)'
undefined reference to `Component::remove(Component*)'
我没有将虚函数定义为纯函数。那么,即使我没有在Line和Text Classes中定义它们,为什么我会收到这些错误。如果我不添加那些粗体声明我的代码工作正常。其次为什么在析构函数上出错?
答案 0 :(得分:2)
如果基类中没有实现,则需要使用虚函数声明中的=0
将它们抽象化。否则,基类的虚函数表将尝试查找实体 - 没有= 0,它表示它们必须存在,并且最终将指向任何内容,从而导致链接器错误。
析构函数错误是一样的 - 它需要完整的表来查找虚拟dtor并且表格不完整。
答案 1 :(得分:2)
非纯虚函数需要有一个定义,即使它们从未被调用过(因此链接器可以放入vtable中)。只需添加=0
即可使您的类抽象化,或提供空定义。
析构函数的错误更复杂一些,但基本上编译器需要决定在哪个目标文件中为您的多态类放置vtable
- 它通常在第一个非纯的时候执行此操作,定义非内联虚函数(更复杂的规则,没有这样的函数)。在这种情况下,您要声明两个外联虚函数,但从不定义它们,因此编译器永远不会将vtable写入目标文件。
答案 2 :(得分:0)
考虑:
class foo
{
public:
void doit();
};
foo f;
f.doit(); // linker error, doit isn't defined!
如果void doit()变为虚拟doit(),您认为会发生什么?没有,和你现在一样的错误。但是虚拟void doit()= 0通过使其纯净将解决错误。虚函数就像任何其他函数一样,它必须具有实现。