在双向链表的开头插入新节点的Python程序

在双向链表的开头插入新节点的Python程序

当需要在双向链表的开头插入新节点时,需要创建一个“Node”类。在此类中,有三个属性,即节点中存在的数据、访问链接列表的下一个节点和访问链接列表的上一个节点。

以下是相同的演示 –

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

示例

class Node:
    def __init__(self, my_data):
        self.prev = None
        self.data = my_data
        self.next = None
class double_list:
    def __init__(self):
        self.head = None
        self.tail = None
    def add_data_at_start(self, my_data):
        new_node = Node(my_data)
        if(self.head == None):
            self.head = self.tail = new_node
            self.head.previous = None
            self.tail.next = None
        else:
            self.tail.previous = new_node
            new_node.next = self.head
            new_node.previous = None
            self.head = new_node
    def print_it(self):
        curr = self.head
        if (self.head == None):
            print("The list is empty")
            return
        print("The nodes in the doubly linked list are :")
        while curr != None:
            print(curr.data)
            curr = curr.next
my_instance = double_list()
print("Elements are being added to the beginning of doubly linked list")
my_instance.add_data_at_start(10)
my_instance.print_it()
my_instance.add_data_at_start(24)
my_instance.print_it()
my_instance.add_data_at_start(54)
my_instance.print_it()
my_instance.add_data_at_start(77)
my_instance.print_it()
my_instance.add_data_at_start(92)
my_instance.print_it()

输出

Elements are being added to the beginning of doubly linked list
The nodes in the doubly linked list are :
10
The nodes in the doubly linked list are :
24
10
The nodes in the doubly linked list are :
54
24
10
The nodes in the doubly linked list are :
77
54
24
10
The nodes in the doubly linked list are :
92
77
54
24
10

说明

  • 创建“Node”类。
  • 创建另一个具有所需属性的类。
  • 定义名为“add_data_at_start”的方法,用于将数据添加到双向链表的开头。
  • 定义另一个名为“print_it”的方法,显示循环链接列表的节点。
  • 创建“double_list”类的对象,并在其上调用方法以将数据添加到双向链表的开头。
  • 定义了一个“init”方法,将双向链表的根、头和尾节点设置为None。
  • 遍历列表,并将元素添加到双向链表的开头。
  • 通过“print_it”方法在控制台上显示此内容。

Python教程

Java教程

Web教程

数据库教程

图形图像教程

大数据教程

开发工具教程

计算机教程