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

โปรแกรม Python เพื่อพิมพ์โหนดสำรองในรายการที่เชื่อมโยงโดยใช้ Recursion


เมื่อจำเป็นต้องพิมพ์โหนดสำรองในรายการที่เชื่อมโยงโดยใช้การเรียกซ้ำ วิธีการเพิ่มองค์ประกอบในรายการที่เชื่อมโยง วิธีการแสดงองค์ประกอบของรายการที่เชื่อมโยง และวิธีการรับค่าอื่นของรายการที่เชื่อมโยง กำหนดไว้ มีการใช้ฟังก์ชันตัวช่วยอื่นที่เรียกใช้เมธอดที่กำหนดไว้ก่อนหน้านี้เพื่อรับค่าทางเลือก

ด้านล่างนี้เป็นการสาธิตสำหรับสิ่งเดียวกัน -

ตัวอย่าง

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

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

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

   def print_it(self):
      curr = self.head
      while curr:
         print(curr.data)
         curr = curr.next

   def alternate_nodes(self):
      self.alternate_helper_fun(self.head)

   def alternate_helper_fun(self, curr):
      if curr is None:
         return
      print(curr.data, end = ' ')
      if curr.next:
         self.alternate_helper_fun(curr.next.next)

my_instance = my_linked_list()
my_list = input("Enter the elements of the linked list :").split()
for elem in my_list:
   my_instance.add_value(elem)
print("The alternate elements in the linked list are :")
my_instance.alternate_nodes()

ผลลัพธ์

Enter the elements of the linked list :78 56 34 52 71 96 0 80
The alternate elements in the linked list are :
78 34 71 0

คำอธิบาย

  • สร้างคลาส "โหนด" แล้ว

  • สร้างคลาส "my_linked_list" อีกคลาสที่มีแอตทริบิวต์ที่จำเป็นแล้ว

  • มีฟังก์ชัน 'init' ที่ใช้ในการเริ่มต้นองค์ประกอบแรก นั่นคือ 'head' เป็น 'None' และโหนดสุดท้ายเป็น 'None'

  • มีการกำหนดวิธีการอื่นที่ชื่อว่า 'add_value' ซึ่งใช้ในการเพิ่มข้อมูลไปยังรายการที่เชื่อมโยง

  • มีการกำหนดวิธีการอื่นที่ชื่อว่า 'print_it' ซึ่งจะวนซ้ำในรายการ และพิมพ์องค์ประกอบ

  • มีการกำหนดวิธีการอื่นที่ชื่อว่า 'alternate_nodes' ซึ่งใช้เพื่อเรียกใช้ฟังก์ชันตัวช่วย

  • ฟังก์ชันตัวช่วยอื่นที่ชื่อว่า 'alternate_helper_fun' ถูกกำหนดไว้ซึ่งใช้เพื่อวนซ้ำผ่านรายการที่เชื่อมโยง และแสดงองค์ประกอบในดัชนีทางเลือก

  • เป็นฟังก์ชันแบบเรียกซ้ำ จึงเรียกตัวเองซ้ำแล้วซ้ำอีก

  • ใช้เพื่อเรียกใช้ฟังก์ชัน 'alternate_nodes' เนื่องจากมีการใช้การเรียกซ้ำ

  • วัตถุของคลาส 'my_linked_list' ถูกสร้างขึ้น

  • เรียกเมธอด Alternative_nodes เพื่อแสดงอิลิเมนต์สำรอง

  • เอาต์พุตนี้จะแสดงบนคอนโซล