给我一个创建二叉树的代码,使用c语言,要求如下, 1.输入每个结点 2.求给定二叉树的所有叶子结点个数 3.输出叶子结点
时间: 2024-05-07 13:20:22 浏览: 56
求二叉树叶子结点的个数(c++类建立)
5星 · 资源好评率100%
以下是一个简单的二叉树创建、计算叶子结点个数和输出叶子结点的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
// 二叉树结点结构体
typedef struct TreeNode {
int val;
struct TreeNode *left;
struct TreeNode *right;
} TreeNode;
// 创建二叉树
TreeNode* createTree() {
int val;
printf("输入结点的值(输入-1表示空结点): ");
scanf("%d", &val);
if (val == -1) {
return NULL;
}
TreeNode *root = (TreeNode*)malloc(sizeof(TreeNode));
root->val = val;
root->left = createTree();
root->right = createTree();
return root;
}
// 计算叶子结点个数
int countLeafNodes(TreeNode *root) {
if (root == NULL) {
return 0;
} else if (root->left == NULL && root->right == NULL) {
return 1;
} else {
return countLeafNodes(root->left) + countLeafNodes(root->right);
}
}
// 输出叶子结点
void printLeafNodes(TreeNode *root) {
if (root == NULL) {
return;
} else if (root->left == NULL && root->right == NULL) {
printf("%d ", root->val);
} else {
printLeafNodes(root->left);
printLeafNodes(root->right);
}
}
int main() {
TreeNode *root = createTree();
int leafCount = countLeafNodes(root);
printf("叶子结点个数: %d\n", leafCount);
printf("叶子结点: ");
printLeafNodes(root);
return 0;
}
```
该程序先通过递归方式创建二叉树,然后计算二叉树的叶子结点个数,最后输出所有叶子结点的值。
阅读全文