0

我正在尝试实现一个简单的 C++ 函数,该函数在给定要插入的节点的值和 BST 的根的情况下将节点添加到二叉搜索树。
令人惊讶的是,我无法推动任何元素。虽然我确保我插入节点的语句是由编译器输入的,但树没有我要添加的任何节点。我认为问题可能在于我如何在函数参数中传递节点。任何人都可以帮忙吗?谢谢你。这是我的节点类型和函数的实现。

 struct Node{

    int value;
    Node *left;
    Node *right;
    };

    //this method adds a new node with value v to Binary Search Tree
    // node is initially the root of the tree
    void Push_To_BST(Node* node,int v)
    {

    // the right place to add the node
    if(node==NULL)
    {

    node=new Node();
    node->value= v;
    node->left= NULL;
    node->right=NULL;

    }

    //the value to be added is less than or equal the reached node
    else if(v <= node->value)
        {
    //adding the value to the left subtree
    Push_To_BST(node->left,v);
    }

    //the value to be added is greater than the reached node
    else if(v > node->value)
    {
    //adding the value to the right subtree
    Push_To_BST(node->right,v);
    }

    }
4

2 回答 2

1

小心你的引用,那里。

void Push_To_BST(Node* node,int v) 
{ 

// the right place to add the node 
if(node==NULL) 
{  
    node=new Node(); 
    // etc

node您分配内存是一个局部变量。您需要传入 aNode**以传递指向新创建节点的指针

例子:

void Push_To_BST(Node** pnode,int v) 
{ 
    Node* node = *pnode;

    // the right place to add the node 
    if(node==NULL) 
    {  
        node=new Node(); 
        // etc
    }
    else if(v < node->value)  
    {  
        //adding the value to the left subtree  
        Push_To_BST(&node->left,v);  
    }  
    // etc

并称它为

Node* n = new Node;
Push_To_BST(&n, 2);
于 2012-06-15T16:53:44.530 回答
0

您正在分配一个新节点并填充它,但永远不会更改现有节点中的指针以指向新节点。

于 2012-06-15T16:55:50.490 回答