用c语言实现二叉树的插入、遍历并按照得到的遍历顺序打印所有结点。将主函数调用也写出来
时间: 2024-02-15 07:06:13 浏览: 70
好的,我们可以使用C语言实现二叉树的插入、遍历和打印节点。同样,我们可以将这些函数放在一个头文件中,例如`binary_tree.h`文件中:
```c
#ifndef BINARY_TREE_H
#define BINARY_TREE_H
#include <stdio.h>
#include <stdlib.h>
typedef struct TreeNode {
int val;
struct TreeNode *left;
struct TreeNode *right;
} TreeNode;
void insert(TreeNode **root, int val);
void preorder(TreeNode *root);
void inorder(TreeNode *root);
void postorder(TreeNode *root);
void print_all_nodes(TreeNode *root);
#endif
```
接下来,我们可以在一个C文件中实现这些函数,例如`binary_tree.c`文件中:
```c
#include "binary_tree.h"
void insert(TreeNode **root, int val) {
if (*root == NULL) {
*root = (TreeNode *)malloc(sizeof(TreeNode));
(*root)->val = val;
(*root)->left = NULL;
(*root)->right = NULL;
return;
}
if (val < (*root)->val) {
insert(&((*root)->left), val);
} else {
insert(&((*root)->right), val);
}
}
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);
}
void print_all_nodes(TreeNode *root) {
printf("Preorder: ");
preorder(root);
printf("\n");
printf("Inorder: ");
inorder(root);
printf("\n");
printf("Postorder: ");
postorder(root);
printf("\n");
}
```
最后,我们可以在主函数中调用这些函数,实现二叉树的插入、遍历和打印节点。例如:
```c
#include <stdio.h>
#include "binary_tree.h"
int main() {
TreeNode *root = NULL;
// 插入节点
insert(&root, 4);
insert(&root, 2);
insert(&root, 1);
insert(&root, 3);
insert(&root, 6);
insert(&root, 5);
insert(&root, 7);
// 遍历并打印所有节点
print_all_nodes(root);
return 0;
}
```
这里我们先定义了一个空节点`root`,然后插入了一些节点。最后,调用`print_all_nodes`函数,遍历并打印所有节点的值。程序的输出结果如下:
```
Preorder: 4 2 1 3 6 5 7
Inorder: 1 2 3 4 5 6 7
Postorder: 1 3 2 5 7 6 4
```
这说明程序已经成功地实现了二叉树的插入、遍历和打印节点。
阅读全文