Python程序:打印链表倒数第N个节点

Python程序:打印链表倒数第N个节点

当需要打印链表中特定位置的倒数第N个节点时,定义了”list_length”和”return_from_end”方法。”list_length”返回链表的长度。

“return_from_end”方法用于返回链表倒数第N个元素。

下面进行演示 −

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

示例

class Node:
   def __init__(self, data):
      self.data = data
      self.next = None

class LinkedList_structure:
   def __init__(self):
      self.head = None
      self.last_node = None

   def add_vals(self, data):
      if self.last_node is None:
         self.head = Node(data)
         self.last_node = self.head
      else:
         self.last_node.next = Node(data)
         self.last_node = self.last_node.next

def list_length(my_list):
   my_len = 0
   curr = my_list.head
   while curr:
      curr = curr.next
      my_len = my_len + 1
   return my_len

def return_from_end(my_list, n):
   l = list_length(my_list)
   curr = my_list.head
   for i in range(l - n):
      curr = curr.next
   return curr.data

my_instance = LinkedList_structure()

my_list = input('Enter the elements of the linked list..').split()
for elem in my_list:
   my_instance.add_vals(int(elem))

n = int(input('Enter the value for n.. '))
my_result = return_from_end(my_instance, n)

print('倒数第N个元素是: {}'.format(my_result))

输出

Enter the elements of the linked list..45 31 20 87 4
Enter the value for n.. 2
倒数第N个元素是: 87

说明

  • 创建”Node”类。

  • 另外创建一个带有所需属性的”LinkedList_structure”类。

  • 它有一个”init”函数,用于初始化第一个元素,即”head”和”last_node”为”None”。

  • 定义了一个名为”add_vals”的方法,该方法有助于向表中添加值。

  • 定义了一个名为”list_length”的方法,该方法确定链表的长度,并将其作为输出返回。

  • 另外定义了一个名为”return_from_end”的方法,该方法有助于返回链表倒数第N个元素。

  • 创建”LinkedList_structure”的一个实例。

  • 向链表中添加元素。

  • 在控制台上显示元素。

  • 在该链表上调用”return_from_end”方法。

  • 在控制台上显示输出。

Python教程

Java教程

Web教程

数据库教程

图形图像教程

大数据教程

开发工具教程

计算机教程