程序在Python中反向链接列表

假设我们有一个链表,我们必须扭转它。因此,如果列表类似于2-> 4-> 6-> 8,则新的反向列表将为8-> 6-> 4-> 2。

为了解决这个问题,我们将遵循这种方法-

  • 定义一个过程以递归方式执行列表逆转为solve(head,back)

  • 如果没有头部,则返回头部

  • temp:= head.next

  • head.next:=返回

  • 背:=头

  • 如果温度为空,则返回头

  • 头:=温度

  • 返回解决(头,后)

让我们看下面的实现以更好地理解-

示例

class ListNode:

   def __init__(self, data, next = None):

      self.val = data

      self.next = next

def make_list(elements):

   head = ListNode(elements[0])

   for element in elements[1:]:

      ptr = head

      while ptr.next:

         ptr = ptr.next

      ptr.next = ListNode(element)

   return head

def print_list(head):

   ptr = head

   print('[', end = "")

   while ptr:

      print(ptr.val, end = ", ")

      ptr = ptr.next

      print(']')

class Solution(object):

   def reverseList(self, head):

      return self.solve(head,None)

def solve(self, head, back):

   if not head:

      return head

   temp= head.next

   head.next = back

   back = head

   if not temp:

      return head

   head = temp

   return self.solve(head,back)

list1 = make_list([5,8,9,6,4,7,8,1])

ob1 = Solution()list2 = ob1.reverseList(list1)

print_list(list2)

输入值

[5,8,9,6,4,7,8,1]

输出结果

[2, 1, 4, 3, 6, 5, 8, 7, 10, 9, 12, 11, 14, 13,]

以上是 程序在Python中反向链接列表 的全部内容, 来源链接: utcz.com/z/331514.html

回到顶部