写一个c语言程序对前面设计的基础数据顺序输入建立二叉排序树
时间: 2024-02-24 20:59:45 浏览: 72
二叉排序树(数据结构实验 C语言实现 含报告文档)
5星 · 资源好评率100%
好的,以下是一个简单的 C 语言程序,用于对输入的数据建立二叉排序树:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义二叉树节点
typedef struct node {
int data;
struct node *left;
struct node *right;
} Node;
// 插入节点
Node* insert(Node *root, int data) {
if (root == NULL) {
// 如果根节点为空,创建新节点
Node *newNode = (Node*)malloc(sizeof(Node));
newNode->data = data;
newNode->left = NULL;
newNode->right = NULL;
return newNode;
}
else if (data < root->data) {
// 如果数据小于当前节点,进入左子树
root->left = insert(root->left, data);
}
else {
// 如果数据大于等于当前节点,进入右子树
root->right = insert(root->right, data);
}
return root;
}
// 中序遍历,输出数据
void inorder(Node *root) {
if (root != NULL) {
inorder(root->left);
printf("%d ", root->data);
inorder(root->right);
}
}
int main() {
int n, data;
Node *root = NULL;
printf("请输入数据的个数:");
scanf("%d", &n);
printf("请输入%d个数据:", n);
for (int i = 0; i < n; i++) {
scanf("%d", &data);
root = insert(root, data);
}
printf("中序遍历结果:");
inorder(root);
return 0;
}
```
这个程序中,我们定义了一个 `Node` 结构体来表示二叉树节点,其中包括数据、左子节点和右子节点。我们用 `insert` 函数来插入节点,这个函数会递归地找到合适的位置插入新节点。最后,我们用 `inorder` 函数进行中序遍历,并输出每个节点的数据。
阅读全文