在二进制搜索树中插入值

时间:2012-04-12 01:19:56

标签: c++ data-structures linked-list binary-tree binary-search-tree

我试图编写一个在二叉搜索树中设置值的方法。我已经实现了一种简单的递归技术来在树中添加节点。但是当我输入值并运行代码时,我得到了分段错误:

struct Node
{
    int data;
    Node* leftN;
    Node* rightN;

};

typedef Node* Node_ptr;
Node_ptr head;

//INSERT_VALUE FUNCTION
Node* new_node(int key)
{
    Node* leaf = new Node;
    leaf->data = key;
    leaf->leftN = NULL;
    leaf->rightN = NULL;
}
Node* insert_value(Node_ptr leaf, int key)
{
    if(leaf == NULL)
        return(new_node(key));
    else
    {
        if(key <= leaf->data)
            leaf->leftN = insert_value(leaf->leftN, key);
        else
            leaf->rightN = insert_value(leaf->rightN, key);
        return(leaf);   
    }
}

//PRINT FUNCTION
void printTree(Node_ptr leaf)
{
    if(leaf == NULL)
        return;
    printTree(leaf->leftN);
    cout << "Data element: " << leaf->data << endl;
    printTree(leaf->rightN);
}

//MAIN
int main()
{
    Node_ptr root = NULL;
    Node_ptr tail;
    int i;
    int x;

    //initialize values
    for(i = 0; i < 20; i++)
    {
        x = rand() % 1000 + 1;
        tail = insert_value(root, x);
            root = head;
    }

    root = head;
    printTree(root);

    root = head;
    cout << "Head Node: " << root->data << endl;

    return 0;
}

1 个答案:

答案 0 :(得分:1)

你得到了一个分段错误,因为你从未设置过头部,当你到达行时

cout << "Head Node: " << root->data << endl;

你的根值将为NULL,(因为它是由head设置的,它是NULL)。

“root”(或“head”)节点通常是一种特殊情况,您应该检查该节点是否已在insert_value的顶部构建,如果没有,则指定节点节点到它。

此外,由于new_node未返回值,因此您的代码存在错误。

相关问题