Copyright © 2022-2024 aizws.net · 网站版本: v1.2.6·内部版本: v1.23.3·
页面加载耗时 0.00 毫秒·物理内存 63.9MB ·虚拟内存 1300.5MB
欢迎来到 AI 中文社区(简称 AI 中文社),这里是学习交流 AI 人工智能技术的中文社区。 为了更好的体验,本站推荐使用 Chrome 浏览器。
树表示由边连接的节点。它是一个非线性数据结构。它具有以下属性。
我们使用前面讨论的概念os节点在python中创建一个树数据结构。我们将一个节点指定为根节点,然后将更多节点添加为子节点。下面是创建根节点的程序。
我们只需创建一个Node类并添加一个值给节点。这变成只有根节点的树。
class Node: def __init__(self, data): self.left = None self.right = None self.data = data def PrintTree(self): print(self.data) root = Node(10) root.PrintTree()
当上面的代码被执行时,它会产生以下结果 -
10
为了插入到树中,我们使用上面创建的相同节点类并为其添加插入类。insert类将节点的值与父节点进行比较,并决定将其添加为左节点或右节点。最后,PrintTree类用于打印树。
class Node: def __init__(self, data): self.left = None self.right = None self.data = data def insert(self, data): # Compare the new value with the parent node if self.data: if data < self.data: if self.left is None: self.left = Node(data) else: self.left.insert(data) elif data > self.data: if self.right is None: self.right = Node(data) else: self.right.insert(data) else: self.data = data # Print the tree def PrintTree(self): if self.left: self.left.PrintTree() print( self.data), if self.right: self.right.PrintTree() # Use the insert method to add nodes root = Node(12) root.insert(6) root.insert(14) root.insert(3) root.PrintTree()
当上面的代码被执行时,它会产生以下结果 -
3 6 12 14
树可以通过决定访问每个节点的序列来遍历。我们可以清楚地看到,我们可以从一个节点开始,然后访问左侧子树第一个和右侧子树。或者我们也可以先访问右边的子树,然后访问左边的子树。因此,这些树遍历方法有不同的名称。我们在这里实现树遍历算法的章节中详细研究它们。
二叉搜索树(BST)是一棵树,其中所有节点都遵循下述属性 -节点的左子树具有小于或等于其父节点密钥的密钥。节点的右子树具有大于其父节点密钥的密钥。因此,BST将其所有子树分成两部分;左边的子树和右边的子树,可以定义为 ...