要?jiǎng)h除一個(gè)節(jié)點(diǎn),需要找到該節(jié)點(diǎn)的前一個(gè)節(jié)點(diǎn),然后將它的next指針指向要?jiǎng)h除節(jié)點(diǎn)的下一個(gè)節(jié)點(diǎn)。
以下是一個(gè)示例代碼,演示如何刪除單鏈表中的節(jié)點(diǎn):
# 定義節(jié)點(diǎn)類
class ListNode:
def __init__(self, data):
self.data = data
self.next = None
# 定義單鏈表類
class LinkedList:
def __init__(self):
self.head = None
# 在鏈表尾部插入節(jié)點(diǎn)
def append(self, data):
new_node = ListNode(data)
if self.head is None:
self.head = new_node
else:
current = self.head
while current.next:
current = current.next
current.next = new_node
# 刪除指定節(jié)點(diǎn)
def delete(self, data):
if self.head is None:
return
# 如果要?jiǎng)h除的節(jié)點(diǎn)是頭節(jié)點(diǎn)
if self.head.data == data:
self.head = self.head.next
return
current = self.head
while current.next:
if current.next.data == data:
current.next = current.next.next
return
current = current.next
# 打印鏈表
def print_list(self):
current = self.head
while current:
print(current.data, end=" ")
current = current.next
print()
# 創(chuàng)建一個(gè)鏈表對象
llist = LinkedList()
# 在鏈表中插入節(jié)點(diǎn)
llist.append(1)
llist.append(2)
llist.append(3)
llist.append(4)
llist.append(5)
# 打印原始鏈表
print("原始鏈表:")
llist.print_list()
# 刪除節(jié)點(diǎn) 3
llist.delete(3)
# 打印刪除節(jié)點(diǎn)后的鏈表
print("刪除節(jié)點(diǎn)后的鏈表:")
llist.print_list()
運(yùn)行上述代碼,輸出結(jié)果為:
原始鏈表:
1 2 3 4 5
刪除節(jié)點(diǎn)后的鏈表:
1 2 4 5
可以看到,節(jié)點(diǎn)3被成功刪除了。