实验题目内容:任意输入一组数据作为二叉排序树中结点的键值,创建一棵二叉排序树,然后对给定的值进行查找。C语言实现
时间: 2024-02-03 09:12:26 浏览: 67
以下是实现代码:
```c
#include <stdio.h>
#include <stdlib.h>
typedef struct node {
int key;
struct node *left;
struct node *right;
} Node;
Node *createNode(int key) {
Node *node = (Node*) malloc(sizeof(Node));
node->key = key;
node->left = NULL;
node->right = NULL;
return node;
}
void insert(Node **root, int key) {
if (*root == NULL) {
*root = createNode(key);
} else if (key < (*root)->key) {
insert(&((*root)->left), key);
} else {
insert(&((*root)->right), key);
}
}
Node *search(Node *root, int key) {
if (root == NULL || root->key == key) {
return root;
} else if (key < root->key) {
return search(root->left, key);
} else {
return search(root->right, key);
}
}
void inorderTraversal(Node *root) {
if (root != NULL) {
inorderTraversal(root->left);
printf("%d ", root->key);
inorderTraversal(root->right);
}
}
int main() {
int n, keyToSearch;
printf("Enter the number of keys: ");
scanf("%d", &n);
Node *root = NULL;
printf("Enter the keys: ");
for (int i = 0; i < n; i++) {
int key;
scanf("%d", &key);
insert(&root, key);
}
printf("Inorder traversal of the BST: ");
inorderTraversal(root);
printf("\nEnter the key to search: ");
scanf("%d", &keyToSearch);
Node *result = search(root, keyToSearch);
if (result == NULL) {
printf("Key not found!\n");
} else {
printf("Key found!\n");
}
return 0;
}
```
首先,我们定义一个结构体 `Node`,来表示二叉排序树中的每个结点。结构体包含三个成员变量:`key` 表示结点的键值,`left` 和 `right` 分别表示左子树和右子树。
然后,我们定义了两个函数 `createNode` 和 `insert`,用于创建结点和插入新的键值。在 `createNode` 函数中,我们使用 `malloc` 动态分配内存,并将结点的成员变量初始化为传入的参数。在 `insert` 函数中,我们首先判断根节点是否为空,如果为空,就直接将新结点作为根节点。如果不为空,则将新键值与根节点键值进行比较,如果小于根节点键值,则递归调用 `insert` 函数并传入左子树。如果大于或等于根节点键值,则递归调用 `insert` 函数并传入右子树。
接下来,我们定义了一个函数 `search`,用于查找给定的键值。在函数中,我们首先判断当前结点是否为空或者当前结点的键值等于给定键值,如果是,则直接返回当前结点。如果给定键值小于当前结点键值,则递归调用 `search` 函数并传入左子树。如果给定键值大于当前结点键值,则递归调用 `search` 函数并传入右子树。
最后,我们还定义了一个函数 `inorderTraversal`,用于进行中序遍历。在函数中,我们首先递归遍历左子树,然后输出当前结点的键值,最后递归遍历右子树。
在 `main` 函数中,我们首先读入键值的数量和键值本身,并依次插入到二叉排序树中。然后,我们进行中序遍历,输出树中的所有键值。最后,我们读入需要查找的键值,调用 `search` 函数进行查找,如果查找到了,则输出 "Key found!",否则输出 "Key not found!"。
阅读全文