使用递归实现深度优先搜索的Python程序

使用递归实现深度优先搜索的Python程序

当需要使用递归对树执行深度优先搜索时,定义一个类,并在其上定义帮助执行广度优先搜索的方法。

以下是相应的演示 –

更多Python相关文章,请阅读:Python 教程

示例

class BinaryTree_struct:
   def __init__(self, key=None):
      self.key = key
      self.left = None
      self.right = None

   def set_root(self, key):
      self.key = key

   def insert_at_left(self, new_node):
      self.left = new_node

   def insert_at_right(self, new_node):
      self.right = new_node

   def search_elem(self, key):
      if self.key == key:
         return self
      if self.left is not None:
         temp = self.left.search(key)
         if temp is not None:
            return temp
      if self.right is not None:
         temp = self.right.search(key)
         return temp
      return None

   def depth_first_search(self):
      print('进入 {}...'.format(self.key))
      if self.left is not None:
         self.left.depth_first_search()
      print('在 {}...'.format(self.key))
      if self.right is not None:
         self.right.depth_first_search()
      print('离开 {}...'.format(self.key))

btree_instance = None

print('菜单(无重复键)')
print('在根节点处插入 <data>')
print('在 <data> 左侧插入 <data>')
print('在 <data> 右侧插入 <data>')
print('深度优先搜索')
print('退出')

while True:
   my_input = input('您想要做什么?').split()

   op = my_input[0].strip().lower()
   if op == 'insert':
      data = int(my_input[1])
      new_node = BinaryTree_struct(data)
      sub_op = my_input[2].strip().lower()
      if sub_op == 'at':
         btree_instance = new_node
      else:
         position = my_input[4].strip().lower()
         key = int(position)
         ref_node = None
         if btree_instance is not None:
            ref_node = btree_instance.search_elem(key)
         if ref_node is None:
            print('没有这个键。')
            continue
         if sub_op == 'left':
            ref_node.insert_at_left(new_node)
         elif sub_op == 'right':
            ref_node.insert_at_right(new_node)
   elif op == 'dfs':
      print('深度优先搜索遍历:')
      if btree_instance is not None:
         btree_instance.depth_first_search()
      print()

   elif op == 'quit':
      break

输出

菜单(无重复键)
在根节点处插入 <data>
在 <data> 左侧插入 <data>
在 <data> 右侧插入 <data>
深度优先搜索
退出
您想要做什么?在根节点处插入5
您想要做什么?在5的左侧插入6
您想要做什么?在5的右侧插入8
您想要做什么?深度优先搜索
深度优先搜索遍历:
进入5...
进入6...
在6...
离开6...
在5...
进入8...
在8...
离开8...
离开5...

您想要做什么?退出

解释

  • 创建了带有必需属性的“BinaryTree_struct”类。

  • 它有一个“init”函数,用于将左侧和右侧节点赋值为“None”。

  • 定义了另一个名为“set_root”的方法来指定树的根节点。

  • 定义了另一个名为“insert_at_left”的方法,用于在树的左侧添加节点。

  • 定义了另一个名为“insert_at_right”的方法,用于在树的右侧添加节点。

  • 定义了另一个名为“search_elem”的方法,用于搜索特定元素。

  • 定义了一个名为“depth_first_search”的方法,用于在二叉树上执行深度优先搜索。

  • 创建了该类的一个实例并将其分配给“None”。

  • 给出了一个菜单。

  • 获取用户输入要执行的操作。

  • 根据用户的选择执行操作。

  • 在控制台上显示相关输出。

Python教程

Java教程

Web教程

数据库教程

图形图像教程

大数据教程

开发工具教程

计算机教程