C中二叉搜索树中的叶数

时间:2016-12-14 00:13:20

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

我是一名初学者,正在研究C二叉搜索树。我正在尝试一种方法,它将返回树中叶子的数量。离开我的意思是一个没有孩子的节点(父节点)(左/右)我的树结构:

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

typedef struct Node TNode;
typedef struct Node *binary_tree;

它是这样创建的:

binary_tree NewBinaryTree(int value_root) {
    binary_tree newRoot = malloc(sizeof(TNode));
    if (newRoot) {
        newRoot->value = value_root;
        newRoot->left = NULL;
        newRoot->right = NULL;
    }
    return newRoot;
}

我向它添加元素,如:

void Insert(binary_tree *tree, int val) {
    if (*tree == NULL) {
        *tree = (binary_tree)malloc(sizeof(TNode));
        (*tree)->value = val;
        (*tree)->left = NULL;
        (*tree)->right = NULL;
    } else {
        if (val < (*tree)->value) {
            Insert(&(*tree)->left, val);
        } else {
            Insert(&(*tree)->right, val);
        }
    }
}

我计算叶数的实际方法:

 int nbleaves(binary_tree tree)
 {
     int nb;
     if(tree->right==NULL && tree->left ==NULL){
        nb=nb+1;
     }
     printf("%d",nb);
 }

当然这不起作用首先没有实际的循环,但是我试过它它不会返回任何错误但是0(在将树2222和3添加到树之后这个函数返回0)。我不知道该怎么做这个函数

谢谢你!

2 个答案:

答案 0 :(得分:5)

因为你必须初始化nb

int nb = 0;

由于nb未初始化,因此它包含“随机”或“垃圾”值,因此您看到的行为是因为该值可能非常大。但是没有办法预测这个价值是什么。

注意:不要使用空格“吝啬”,不要使用太多空格,但要让代码屏住一点。

比较

if(tree->right==NULL && tree->left ==NULL){
    nb=nb+1;
}

if ((tree->right == NULL) && (tree->left == NULL)) {
    nb = nb + 1;
}

答案 1 :(得分:1)

除了初始化为@iharob指出,你只需要递归树的左半部分和右半部分并将其添加到你的总数中(如评论中所述)。这种方法在我的测试中对我有用,所以我不确定你在尝试时会得到什么错误。这是我的nbleaves()功能:

int nbleaves(binary_tree tree)
{
  int nb=0;
  if(tree->right==NULL && tree->left ==NULL){
    nb=nb+1;
  }
  else {
    if(tree->left!=NULL)
      nb += nbleaves(tree->left);
    if(tree->right!=NULL)
      nb += nbleaves(tree->right);
  }
  return nb;
}

例如,在此测试用例中:

int main() {    
  binary_tree root=NULL;

  root=NewBinaryTree(5);
  Insert(&root,3);
  Insert(&root,7);
  Insert(&root,2);
  Insert(&root,8);
  Insert(&root,6);
  Insert(&root,1);
  Insert(&root,4);
  Insert(&root,9);
  traverse(root); /*Just a function I created for testing*/

  printf("%d\n",nbleaves(root));

  free_tree(root); /*Also a function I wrote*/
  return 0;
}

它产生这个输出:

5: 3 7 
3: 2 4 
2: 1 NULL 
1: NULL NULL 
4: NULL NULL 
7: 6 8 
6: NULL NULL 
8: NULL 9 
9: NULL NULL 
4

最后一行是叶子计数,其余是traverse()的输出。

我的完整计划:https://repl.it/Epud/0