C ++二进制搜索树实现

时间:2016-04-19 21:44:33

标签: c++ algorithm binary-tree binary-search-tree

我正在开发一个C ++项目,我必须创建一个从数组中插入项目的二叉搜索树。我必须使用以下插入算法:

tree-insert(T,z)

y = NIL
x = T.root
while x != NIL
    y = x
    if z.key < x.key
        x = x.left
    else x = x.right
z.p = y
if y == NIL
    T.root = z
else if z.key < y.key
    y.left = z
else y.right = z

这是我到目前为止所做的:

#include <iostream>
using namespace std;

struct node
{
    int key;
    node* left;
    node* right;
    node* p;
    node* root;
};

void insert(node*, node*);
void printinorder(node*);

int main()
{
    node *root;
    node* tree = new node;
    node* z = new node;
    int array [10] = {30, 10, 45, 38, 20, 50, 25, 33, 8, 12};

    for (int i = 0; i < 10; i++)
    {
        z->key = array[i];
        insert(tree, z);
    }

    printinorder(tree);

    return 0;
}

void insert(node *T, node *z)
{
    node *y = nullptr;
    node* x = new node;
    x = T->root;
    while (x != NULL)
    {
        y = x;
        if (z->key < x->key)
            x = x->left;
        else
            x = x->right;
    }
    z->p = y;
    if (y == NULL)
        T->root = z;
    else if (z->key < y->key)
        y->left = z;
    else
        y->right = z;
}

void printinorder(node *x)
{
    if (x != NULL)
    {
        printinorder(x->left);
        cout << x->key << endl;
        printinorder(x->right);
    }
}    

然而,当我运行它时,这个代码会编译,它会出错。我相信这个问题与我正在创建的节点或我的函数调用有关。 谢谢你的帮助。

1 个答案:

答案 0 :(得分:1)

除了评论中提到的问题之外,此代码中最大的错误是缺少一个构造函数,它将新node中的所有指针初始化为NULL。

因此,您创建的每个node都将包含包含随机垃圾的指针。您的代码初始化其中一些,但大多数不是。尝试使用未初始化的指针会导致立即崩溃。

您需要修复评论中记下的所有问题,并为node类设置适当的构造函数。