#include <stdio.h> #include <stdlib.h> // 二叉树节点的结构体 typedef struct BiTNode { char data; struct BiTNode* lchild; struct BiTNode* rchild; } BiTNode; // 建立二叉树 BiTNode* createBiTNode(char* s, int* i) { char c = s[(*i)++]; if (c == '□') { return NULL; } BiTNode* root = ( BiTNode*)malloc(sizeof( BiTNode)); root->data = c; root->lchild = createBiTNode(s, i); root->rchild = createBiTNode(s, i); return root; } // 释放二叉树 void BiTNode( BiTNode* root) { if (root) { destroyBinaryTree(root->lchild); destroyBinaryTree(root->rchild); free(root); } } // 先序遍历 void preorderTraversal( BiTNode* root) { if (root) { printf("%c ", root->data); preorderTraversal(root->lchild); preorderTraversal(root->rchild); } } // 中序遍历 void inorderTraversal( BiTNode* root) { if (root) { inorderTraversal(root->lchild); printf("%c ", root->val); inorderTraversal(root->rchild); } } // 后序遍历 void postorderTraversal( BiTNode* root) { if (root) { postorderTraversal(root->lchild); postorderTraversal(root->rchild); printf("%c ", root->val); } } int main() { char s[] = "AB□C□□D□□"; int i = 0; BiTNode* root = createBiTNode(s, &i); printf("中序遍历结果:"); inorderTraversal(root); printf("\n"); destroyBiTNode(root); return 0; }找出以上程序错误并修改
时间: 2024-01-16 11:03:17 浏览: 87
SeqList.h #include <stdio.h> //包含标准输入输出流的头文件 #include <assert.h
在程序中,释放二叉树的函数名应该为 destroyBinaryTree 而不是 BiTNode,因为这个函数名与定义结构体时的名字冲突了。同时,在中序遍历和后序遍历函数中,输出节点数据时应该使用 root->data 而不是 root->val。修改后的程序如下:
```
#include <stdio.h>
#include <stdlib.h>
typedef struct BiTNode {
char data;
struct BiTNode* lchild;
struct BiTNode* rchild;
} BiTNode;
BiTNode* createBiTNode(char* s, int* i) {
char c = s[(*i)++];
if (c == '□') {
return NULL;
}
BiTNode* root = (BiTNode*)malloc(sizeof(BiTNode));
root->data = c;
root->lchild = createBiTNode(s, i);
root->rchild = createBiTNode(s, i);
return root;
}
void destroyBinaryTree(BiTNode* root) {
if (root) {
destroyBinaryTree(root->lchild);
destroyBinaryTree(root->rchild);
free(root);
}
}
void preorderTraversal(BiTNode* root) {
if (root) {
printf("%c ", root->data);
preorderTraversal(root->lchild);
preorderTraversal(root->rchild);
}
}
void inorderTraversal(BiTNode* root) {
if (root) {
inorderTraversal(root->lchild);
printf("%c ", root->data);
inorderTraversal(root->rchild);
}
}
void postorderTraversal(BiTNode* root) {
if (root) {
postorderTraversal(root->lchild);
postorderTraversal(root->rchild);
printf("%c ", root->data);
}
}
int main() {
char s[] = "AB□C□□D□□";
int i = 0;
BiTNode* root = createBiTNode(s, &i);
printf("中序遍历结果:");
inorderTraversal(root);
printf("\n");
destroyBinaryTree(root);
return 0;
}
```
阅读全文