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

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


สมมติว่าเรามีรายการเชื่อมโยงที่มีองค์ประกอบไม่กี่อย่าง งานของเราคือการเขียนฟังก์ชันที่จะลบโหนดที่กำหนดออกจากรายการ ดังนั้นหากรายการเป็นเหมือน 1 → 3 → 5 → 7 → 9 และหลังจากลบ 3 มันจะเป็น 1 → 5 → 7 → 9

พิจารณาว่าเรามี 'โหนด' ตัวชี้เพื่อชี้โหนดที่จะลบ เราต้องดำเนินการเหล่านี้เพื่อลบโหนด -

  • node.val =node.next.val
  • node.next =node.next.next

ตัวอย่าง (Python)

ให้เราดูการใช้งานต่อไปนี้เพื่อความเข้าใจที่ดีขึ้น -

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 deleteNode(self, node, data):
      """
      :type node: ListNode
      :rtype: void Do not return anything, modify node in-place instead.
      """
      while node.val is not data:
         node = node.next
      node.val = node.next.val
      node.next = node.next.next
head = make_list([1,3,5,7,9])
ob1 = Solution()
ob1.deleteNode(head, 3)
print_list(head)

อินพุต

linked_list = [1,3,5,7,9]
data = 3

ผลลัพธ์

[1, 5, 7, 9, ]