用C语言实现:请输入一棵二叉树的扩展的前序序列,经过处理后生成一棵二叉树,然后 对于该二叉树输出中序和后序遍历序列。
时间: 2023-07-24 22:23:54 浏览: 129
好的,以下是C语言实现:
```c
#include <stdio.h>
#include <stdlib.h>
typedef struct TreeNode { // 二叉树结构体
char val;
struct TreeNode *left;
struct TreeNode *right;
} TreeNode;
TreeNode* buildTree(char *str, int *index) { // 根据扩展前序序列建立二叉树
if (str[*index] == '\0' || str[*index] == '#') { // 若序列为空或遇到 #,返回 NULL
(*index)++;
return NULL;
}
TreeNode *root = (TreeNode*)malloc(sizeof(TreeNode));
root->val = str[*index];
(*index)++;
root->left = buildTree(str, index); // 递归处理左子树
root->right = buildTree(str, index); // 递归处理右子树
return root;
}
void inorder(TreeNode *root) { // 中序遍历
if (root == NULL) {
return;
}
inorder(root->left);
printf("%c ", root->val);
inorder(root->right);
}
void postorder(TreeNode *root) { // 后序遍历
if (root == NULL) {
return;
}
postorder(root->left);
postorder(root->right);
printf("%c ", root->val);
}
int main() {
char str[100];
printf("请输入一棵二叉树的扩展的前序序列:\n");
scanf("%s", str);
int index = 0;
TreeNode *root = buildTree(str, &index);
printf("中序遍历序列为:\n");
inorder(root);
printf("\n后序遍历序列为:\n");
postorder(root);
return 0;
}
```
示例输入:ABD##E##CF###
输出:
```
中序遍历序列为:
D B E A F C
后序遍历序列为:
D E B F C A
```
阅读全文