二进制搜索树不添加元素

时间:2016-06-26 22:51:47

标签: c binary-search-tree

我有一个二叉搜索树,我正在尝试实现插入功能。但是当我测试代码时,我发现即使我的逻辑看起来很好,也没有添加任何元素。我觉得我缺少一些C特质。

struct tree_element {
    int data;
    struct tree_element* left;
    struct tree_element* right;
};

typedef struct tree_element node;

void init(node* root){
    root->left = NULL;
    root->right = NULL;
    root->data = 0;
}

void insert(node* root, int val){
    if (root == NULL){
        root = (node*)(malloc(sizeof(node)));
        init(root);
        root->data = val;
        printf("added %i\n", val);
        return;
    }

    if (val > root->data){
        insert(root->right, val);
    }
    else {
        insert(root->left, val);
    }
}

1 个答案:

答案 0 :(得分:1)

您更改了函数中的root值。 但是,从调用函数的角度来看,没有任何改变。

这可能有效:

void insert(node** root, int val){
    if (*root == NULL){
        *root = (node*)(malloc(sizeof(node)));
        init(*root);
        (*root)->data = val;
        printf("added %i\n", val);
        return;
    }
    if (val > (*root)->data){
        insert(&((*root)->right), val);
    }
    else {
        insert(&((*root)->left), val);
    }
}

基本概念是 - 当您传入指向方法的指针时,该方法可以更改指针指向的数据,但不能更改指针本身。