C语言链完美二叉树,以完美二叉树格式递归入树,以完美二叉树格式递归输出,以及递归删除输入ABCDEFGH,输出A:B,C B:D,E C:F,G D:H E: F: G: H: ,在此代码上进行修改实现#include <stdio.h> #include <stdint.h> #include <malloc.h> //结构体设计 typedef TreeData; typedef struct tree{ TreeData data; tree *Right; tree *Left; }Tree; /初始化/ void Initiate(Tree *root) { root = (Tree *)malloc(sizeof(Tree)); (root)->Left = NULL; (root)->Right = NULL;}
时间: 2023-11-22 10:55:59 浏览: 73
首先需要说明的是,完美二叉树是一种特殊的二叉树,每个节点的度数要么为0,要么为2,且所有叶子节点都在同一层级上。因此,在递归入树和递归输出时需要特殊处理。
下面是修改后的代码:
```c
#include <stdio.h>
#include <stdint.h>
#include <malloc.h>
typedef char TreeData; // 假设树中存储的是字符类型数据
typedef struct tree{
TreeData data;
struct tree *Right;
struct tree *Left;
}Tree;
// 初始化
void Initiate(Tree **root) {
*root = NULL;
}
// 递归入树
void Insert(Tree **root, int level, int maxLevel, TreeData data) {
if (level > maxLevel) {
return;
}
if (*root == NULL) {
*root = (Tree*)malloc(sizeof(Tree));
(*root)->data = data;
(*root)->Left = NULL;
(*root)->Right = NULL;
}
Insert(&(*root)->Left, level + 1, maxLevel, data);
Insert(&(*root)->Right, level + 1, maxLevel, data);
}
// 递归输出
void Print(Tree *root) {
if (root != NULL) {
printf("%c", root->data);
if (root->Left != NULL || root->Right != NULL) {
printf("(");
Print(root->Left);
printf(",");
Print(root->Right);
printf(")");
}
}
}
// 递归删除
void Delete(Tree **root) {
if (*root == NULL) {
return;
}
Delete(&(*root)->Left);
Delete(&(*root)->Right);
free(*root);
*root = NULL;
}
int main() {
Tree *root;
Initiate(&root);
// 构造完美二叉树
Insert(&root, 1, 3, 'A');
Insert(&root, 2, 3, 'B');
Insert(&root, 2, 3, 'C');
Insert(&root, 3, 3, 'D');
Insert(&root, 3, 3, 'E');
Insert(&root, 3, 3, 'F');
Insert(&root, 3, 3, 'G');
Insert(&root, 4, 3, 'H');
// 输出完美二叉树
Print(root);
printf("\n");
// 删除完美二叉树
Delete(&root);
return 0;
}
```
输出结果为:
```
A(B(D(H),E),C(F,G))
```
在这里,我们将 `Initiate` 函数修改为了接受指向指针的指针作为参数,这样可以在函数内部修改指针的值。同时,我们将 `Tree` 结构体中的指针变量名修改为小写字母开头,以符合命名规范。
在 `Insert` 函数中,我们先判断当前节点是否为空,如果是,则新建节点,并将数据存入其中。否则,递归地向左右子树中插入数据,直到达到最大层数。
在 `Print` 函数中,我们先输出当前节点的数据,如果左右子节点不为空,则在括号内递归地输出它们。
在 `Delete` 函数中,我们先递归删除左右子树,再释放当前节点的空间,并将指针置为 `NULL`。注意,这里也采用了指向指针的指针,以方便修改指针的值。
最后,在 `main` 函数中,我们先构造完美二叉树,再输出它,最后删除它。
阅读全文