構(gòu)造一個(gè)二叉排序樹(shù)(Binary Search Tree,BST)的方法有多種,以下是一種常見(jiàn)的方法:
以下是一個(gè)示例代碼實(shí)現(xiàn):
class TreeNode:
def __init__(self, value):
self.value = value
self.left = None
self.right = None
def insert_node(root, value):
if root is None:
return TreeNode(value)
if value <= root.value:
root.left = insert_node(root.left, value)
else:
root.right = insert_node(root.right, value)
return root
def construct_bst(data):
root = None
for value in data:
root = insert_node(root, value)
return root
# 示例用法
data = [8, 3, 10, 1, 6, 14, 4, 7, 13]
bst = construct_bst(data)
該示例代碼中,TreeNode
類表示二叉排序樹(shù)的節(jié)點(diǎn),insert_node
函數(shù)用于將一個(gè)值插入到二叉排序樹(shù)中,construct_bst
函數(shù)用于構(gòu)造二叉排序樹(shù)。通過(guò)遍歷數(shù)據(jù)集合,將每個(gè)值插入到二叉排序樹(shù)中,最后返回根節(jié)點(diǎn)。