C语言编写完整代码以二叉链表作为二叉树的存储结构,编写用层次顺序遍历二叉树的方法,统计树中度为1 的结点个数。
时间: 2023-06-16 15:02:23 浏览: 103
下面是 C 语言编写的完整代码,其中使用二叉链表作为二叉树的存储结构。编写了用层次遍历二叉树的方法,并统计二叉树中度为1的结点个数。
```c
#include <stdio.h>
#include <stdlib.h>
typedef struct node {
int data;
struct node *left;
struct node *right;
} TreeNode;
// 创建一棵二叉树
TreeNode *create_tree() {
int val;
scanf("%d", &val);
if (val == -1) {
return NULL;
}
TreeNode *root = (TreeNode *)malloc(sizeof(TreeNode));
root->data = val;
root->left = create_tree();
root->right = create_tree();
return root;
}
// 层次遍历二叉树
void level_order(TreeNode *root) {
if (root == NULL) {
return;
}
TreeNode **queue = (TreeNode **)malloc(sizeof(TreeNode *) * 100);
int front = 0, rear = 0;
queue[rear++] = root;
while (front < rear) {
TreeNode *cur = queue[front++];
printf("%d ", cur->data);
if (cur->left != NULL) {
queue[rear++] = cur->left;
}
if (cur->right != NULL) {
queue[rear++] = cur->right;
}
}
printf("\n");
}
// 统计二叉树中度为1的结点个数
int count_degree_one(TreeNode *root) {
if (root == NULL) {
return 0;
}
int count = 0;
if ((root->left == NULL && root->right != NULL) ||
(root->left != NULL && root->right == NULL)) {
count++;
}
count += count_degree_one(root->left);
count += count_degree_one(root->right);
return count;
}
int main() {
printf("请输入二叉树的结点,-1表示空结点:\n");
TreeNode *root = create_tree();
printf("层次遍历二叉树:\n");
level_order(root);
int count = count_degree_one(root);
printf("二叉树中度为1的结点个数为:%d\n", count);
return 0;
}
```
代码中先定义了一个二叉树结点的结构体 `TreeNode`,包含结点的值 `data`,左子树指针 `left`,右子树指针 `right`。通过 `create_tree` 函数创建一棵二叉树,输入的结点遵循先序遍历,空结点用 `-1` 表示。
用 `level_order` 函数实现了层次遍历二叉树,并输出每个结点的值。
用 `count_degree_one` 函数统计二叉树中度为1的结点个数。判断当前结点的度是否为1,如果是则计数器加1,然后对左子树和右子树递归调用该函数。
在 `main` 函数中依次调用以上三个函数,最后输出统计结果。
阅读全文