Python程序将给定的二叉树转换为双向链表

当需要将给定的二叉树转换为双向链表时,需要创建一个“节点”类。在此类中,有两个属性,即节点中存在的数据和对链表的下一个节点的访问。

需要创建另一个具有初始化功能的“ linked_list”类,并且将节点的头初始化为“ None”。

在双向链表中,节点具有指针。当前节点将具有指向下一个节点以及上一个节点的指针。列表中的最后一个值在下一个指针中将具有“ NULL”值。它可以在两个方向上遍历。

二叉树是一种非线性数据结构,它包含一个根节点,除根之外的每个节点都可以有一个父节点。一棵二叉树节点最多可以有两个子节点。

用户定义了多种方法,可将给定的二叉树转换为双链表,并打印节点值。

以下是相同的演示-

示例

class Node:
   def __init__(self, my_data):
     self.right= None
     self.data= my_data
     self.left= None
class binary_tree_to_list:
   def __init__(self):
     self.root= None
     self.head= None
     self.tail= None
   def convert_tree_to_list(self, node_val):
      if node_val is None:
         return
      self.convert_tree_to_list(node_val.left)
      if (self.head == None) :
         self.head =self.tail= node_val
      else:
         self.tail.right = node_val
         node_val.left = self.tail
         self.tail = node_val
      self.convert_tree_to_list(node_val.right)
   def print_it(self):
      curr = self.head
      if (self.head == None):
         print("The list is empty")
         return
      print("节点是:")
      while curr != None:
         print(curr.data)
         curr = curr.right
my_instance = binary_tree_to_list()
print("Elements are being added to the list")
my_instance.root = Node(10)
my_instance.root.left = Node(14)
my_instance.root.right = Node(17)
my_instance.root.left.left = Node(22)
my_instance.root.left.right = Node(29)
my_instance.root.right.left = Node(45)
my_instance.root.right.right = Node(80)
my_instance.convert_tree_to_list(my_instance.root)
my_instance.print_it()
输出结果
Elements are being added to the list
节点是:
22
14
29
10
45
17
80

解释

  • 将创建“节点”类。

  • 创建具有必需属性的另一个类。

  • 定义了另一个名为“ convert_tree_to_list”的方法,该方法用于将给定的二叉树转换为双向链表。

  • 定义了另一个名为“ print_it”的方法,该方法显示循环链接列表的节点。

  • 创建“ binary_tree_to_list”类的对象,并在其上调用方法以将树转换为双向链表。

  • 定义了一个“ init”方法,将双向链表的根,头和尾节点设置为None。

  • 调用“ convert_tree_to_list”方法。

  • 它遍历二叉树,并将其转换为双向链表。

  • 这使用“ print_it”方法显示在控制台上。