Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> Python

ย้อนกลับรายการที่เชื่อมโยงใน Python


สมมติว่าเรามีรายการที่เชื่อมโยง เราต้องย้อนกลับ ดังนั้นหากรายการเป็นเหมือน 1 → 3 → 5 → 7 รายการกลับรายการใหม่จะเป็น 7 → 5 → 3 → 1

เพื่อแก้ปัญหานี้ เราจะปฏิบัติตามแนวทางนี้ -

  • กำหนดขั้นตอนหนึ่งเพื่อดำเนินการกลับรายการแบบเรียกซ้ำเพื่อแก้ปัญหา (หัว, ย้อนกลับ)
  • ถ้าหัวไม่อยู่ก็คืนหัว
  • 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):
      """
      :type head: ListNode
      :rtype: ListNode
      """
      return self.solve(head,None)
   def solve(self, head, back):
      if not head:
         return head
      temp= head.next
      #print(head.val)
      head.next = back
      back = head
      if not temp:
         return head
      head = temp
      return self.solve(head,back)
list1 = make_list([1,3,5,7])
ob1 = Solution()
list2 = ob1.reverseList(list1)
print_list(list2)

อินพุต

list1 = [1,3,5,7]

ผลลัพธ์

[7, 5, 3, 1, ]