基于c语言,生成一颗二叉树并计算叶子数量
时间: 2023-07-13 11:39:17 浏览: 110
利用c语言实现一颗二叉树的功能
好的,以下是基于c语言的生成一颗二叉树并计算叶子数量的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
typedef struct TreeNode {
int val;
struct TreeNode *left;
struct TreeNode *right;
} TreeNode;
// 创建一个节点
TreeNode* create_node(int val) {
TreeNode *node = (TreeNode*)malloc(sizeof(TreeNode));
node->val = val;
node->left = node->right = NULL;
return node;
}
// 向树中插入一个节点
void insert_node(TreeNode **root, int val) {
if (*root == NULL) {
*root = create_node(val);
return;
}
if (val < (*root)->val) {
insert_node(&((*root)->left), val);
} else {
insert_node(&((*root)->right), val);
}
}
// 计算叶子数量
int count_leaves(TreeNode *root) {
if (root == NULL) {
return 0;
}
if (root->left == NULL && root->right == NULL) {
return 1;
}
return count_leaves(root->left) + count_leaves(root->right);
}
// 打印一颗二叉树
void print_tree(TreeNode *root) {
if (root == NULL) {
return;
}
printf("%d\n", root->val);
print_tree(root->left);
print_tree(root->right);
}
int main() {
TreeNode *root = NULL;
insert_node(&root, 5);
insert_node(&root, 3);
insert_node(&root, 1);
insert_node(&root, 4);
insert_node(&root, 7);
insert_node(&root, 6);
insert_node(&root, 9);
printf("叶子数量:%d\n", count_leaves(root));
printf("二叉树:\n");
print_tree(root);
return 0;
}
```
这段代码会生成一颗二叉树,并计算出叶子节点的数量。你可以根据需要调整节点的值和插入的顺序。
阅读全文