我正在尝试编写一个简单的B + tree实现(非常早期)。我有一个带有一些功能的虚拟类。不用说,我对这些策略还很陌生,并且遇到了各种各样的问题。

我正在尝试在BTree类中创建一个根节点。根节点将是BBranch,应该从BNode继承吗?我遇到错误

btree.cpp: In constructor âBTree::BTree()â:
btree.cpp:25: error: cannot declare variable ârootâ to be of abstract type âBBranchâ
btree.cpp:12: note:   because the following virtual functions are pure within âBBranchâ:
btree.cpp:9: note:      virtual void BNode::del(int)
btree.cpp: In member function âvoid BTree::ins(int)â:
btree.cpp:44: error: ârootâ was not declared in this scope

代码是这个
using namespace std;

class BNode {
  public:
    int key [10];
    int pointer [11];
    virtual void ins( int num ) =0;
    virtual void del( int num ) =0;
};

class BBranch: public BNode {
  public:
    void ins( int num );
};

class BLeaf: public BNode {
  public:
    void ins( int num );
};

class BTree {
  public:
    BTree() {
      BBranch root;
    };
    void ins( int num );
};

// Insert into branch node
void BBranch::ins( int num ){
    // stuff for inserting specifically into branches

};

// Insert for node
void BTree::ins( int num ){
  root.ins( num );
};

int main(void){
  return 0;
}

感谢您提供给我的任何信息。

最佳答案

编译器似乎很清楚出什么问题。您不能声明BBranch,因为该类中仍然有一个纯虚函数。您定义了ins,但del仍未定义。在BBranch(和BLeaf)中定义它,就可以了。

您不能声明抽象类的实例,抽象类是具有纯虚函数的类。

此外,您已经在构造函数中声明了root。您的意思是使其成为成员变量,这意味着它需要在构造函数旁边而不是内部声明。

class BTree {
  public:
    BTree() {
    };
    BBranch root;
    void ins( int num );
};

10-06 01:47