输入10个不同整数,依次插入到一颗初始为空的二叉排序树中,并对其进行中序遍历,以验证树的正确性。用c语言
时间: 2023-12-10 11:37:27 浏览: 55
下面是一个简单的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义二叉排序树节点
typedef struct node {
int data;
struct node* left;
struct node* right;
} Node;
// 创建一个新节点
Node* createNode(int data) {
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = data;
newNode->left = NULL;
newNode->right = NULL;
return newNode;
}
// 插入节点到二叉排序树中
Node* insert(Node* root, int data) {
if (root == NULL) {
return createNode(data);
}
if (data < root->data) {
root->left = insert(root->left, data);
} else {
root->right = insert(root->right, data);
}
return root;
}
// 中序遍历二叉排序树
void inorderTraversal(Node* root) {
if (root != NULL) {
inorderTraversal(root->left);
printf("%d ", root->data);
inorderTraversal(root->right);
}
}
int main() {
// 初始化一个空的二叉排序树
Node* root = NULL;
// 依次插入10个不同整数到二叉排序树中
root = insert(root, 5);
insert(root, 3);
insert(root, 7);
insert(root, 2);
insert(root, 4);
insert(root, 6);
insert(root, 8);
insert(root, 1);
insert(root, 9);
insert(root, 10);
// 验证二叉排序树的正确性
inorderTraversal(root);
printf("\n");
return 0;
}
```
运行程序,输出结果为:
```
1 2 3 4 5 6 7 8 9 10
```
可以看到,中序遍历的结果是一个有序的序列,证明了二叉排序树的正确性。
阅读全文