Python程序 一次遍历获取链表中间元素

Python程序 一次遍历获取链表中间元素

链表用于在非连续的内存位置上存储数据,包含数据项的节点使用指针进行链接。每个节点包含两个字段。第一个字段用于存储数据,第二个字段包含到下一个节点的链接。

暴力技术

为了找到链表的中间元素,可以通过迭代整个链表直到遇到NULL而找出链表的长度,然后将长度除以2以获取中间元素的索引。获取中间元素的索引后,从头再次迭代链表,当到达所需索引时停止。索引处的数据项提供中间元素。

  • 取一个变量称为“temp”,指向头部,并将“len”初始化为0

  • 使用temp迭代链表直到NULL,每次到达节点时将“len”增加1。

  • 获取链表的长度后,将temp重新初始化为头部。迭代该链表直到len // 2。

使用慢指针和快指针(单次迭代)

我们将使用两个指针遍历链表。一个称为“慢指针”,另一个称为“快指针”。

“快指针”将以双倍速度移动。

当快指针到达链表的结尾时,“慢指针”将在中间节点。

因此,我们可以直接打印中间节点的内容。

示例

考虑以下链接列表。中间元素为3。

Python程序 一次遍历获取链表中间元素

快指针已到达链接列表中的最后一个节点,现在慢指针指向节点3。因此,3是给定链接列表的中间元素。现在考虑6个节点。

Python程序 一次遍历获取链表中间元素

示例

快指针已达到NULL,慢指针指向第4个节点。因此,中间元素为4。

算法

  • 使“慢”和“快”指向链表的头部。

  • 通过以下方式递增快指针和递增慢指针以一,直到快指针和** fast.next **不等于NULL为止。

  • 打印慢指针上的值。

  • 时间复杂度为O(n)。

class Node:
  def __init__(self, val):
      self.val = val
      self.next = None
class LinkedList:
  def __init__(self):
      self.head = None

  def insert_at_the_beginning(self, newVal):
      newNode = Node(newVal)
      newNode.next = self.head
      self.head = newNode
  def print_middle_element(self):
      slow=self.head
      fast=self.head
      while fast is not None and fast.next is not None:
          slow=slow.next      #slow pointer moves one node
          fast=fast.next.next  #fast pointer moves two nodes
      print("\n\nthe middle element is ",slow.val)
  def Print_the_LL(self):
      temp = self.head
      if(temp != None):
        print("The linked list elements are:", end=" ")
        while (temp != None):
          print(temp.val, end=" ")
          temp = temp.next
      else:
        print("The list is empty.")
newList = LinkedList()
newList.insert_at_the_beginning(5)
newList.insert_at_the_beginning(4)
newList.insert_at_the_beginning(3)
newList.insert_at_the_beginning(2)
newList.insert_at_the_beginning(1)
newList.Print_the_LL()
newList.print_middle_element()

输出

The linked list elements are: 1 2 3 4 5 

the middle element is  3

Python教程

Java教程

Web教程

数据库教程

图形图像教程

大数据教程

开发工具教程

计算机教程