从键盘按顺序输入数据创建一棵二叉树,-1代表空,#代表结束,对其实现先序、中序、后序遍历。 用c语言
时间: 2024-03-26 15:36:01 浏览: 54
好的,下面是C语言代码实现:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义二叉树节点结构体
typedef struct TreeNode {
int val;
struct TreeNode *left;
struct TreeNode *right;
} TreeNode;
// 创建二叉树
TreeNode* createTree() {
int val;
scanf("%d", &val);
if (val == -1) { // 如果输入-1,表示该节点为空
return NULL;
}
TreeNode *root = (TreeNode *)malloc(sizeof(TreeNode));
root->val = val;
root->left = createTree();
root->right = createTree();
return root;
}
// 先序遍历
void preOrder(TreeNode *root) {
if (root == NULL) {
return;
}
printf("%d ", root->val);
preOrder(root->left);
preOrder(root->right);
}
// 中序遍历
void inOrder(TreeNode *root) {
if (root == NULL) {
return;
}
inOrder(root->left);
printf("%d ", root->val);
inOrder(root->right);
}
// 后序遍历
void postOrder(TreeNode *root) {
if (root == NULL) {
return;
}
postOrder(root->left);
postOrder(root->right);
printf("%d ", root->val);
}
int main() {
printf("请按顺序输入二叉树节点的值(-1代表空,#代表结束):\n");
TreeNode *root = createTree();
printf("先序遍历结果为:");
preOrder(root);
printf("\n");
printf("中序遍历结果为:");
inOrder(root);
printf("\n");
printf("后序遍历结果为:");
postOrder(root);
printf("\n");
return 0;
}
```
输入输出示例:
```
请按顺序输入二叉树节点的值(-1代表空,#代表结束):
1 2 -1 -1 3 4 -1 -1 5 -1 -1 #
先序遍历结果为:1 2 3 4 5
中序遍历结果为:2 1 4 3 5
后序遍历结果为:2 4 5 3 1
```
希望能对你有所帮助!
阅读全文