编写代码,对以下关键字 { 80 40 35 90 100 22 11 70 } 生成一棵二叉排序树。
时间: 2024-12-24 08:30:42 浏览: 7
二叉排序树(Binary Search Tree, BST)是一种有序的二叉树,其中每个节点的值都大于其左子树中的所有节点的值,并且小于其右子树中的所有节点的值。
以下是使用Python编写的代码,用于根据给定的关键字生成一棵二叉排序树:
```python
class TreeNode:
def __init__(self, key):
self.left = None
self.right = None
self.val = key
def insert(root, key):
if root is None:
return TreeNode(key)
else:
if root.val < key:
root.right = insert(root.right, key)
else:
root.left = insert(root.left, key)
return root
def inorder_traversal(root):
if root:
inorder_traversal(root.left)
print(root.val, end=' ')
inorder_traversal(root.right)
# 关键字列表
keys = [80, 40, 35, 90, 100, 22, 11, 70]
# 创建二叉排序树
root = None
for key in keys:
root = insert(root, key)
# 输出二叉排序树的中序遍历结果
inorder_traversal(root)
```
这段代码首先定义了一个TreeNode类来表示树中的节点,然后定义了insert函数来插入新的节点到二叉排序树中。最后,通过中序遍历的方式输出了树中的元素,以验证树的结构是否正确。
运行上述代码后,你将得到以下输出,这是按照从小到大的顺序排列的关键字:
```
11 22 35 40 70 80 90 100
```
阅读全文