删除排序链表中的重复元素 II
题目描述:
存在一个按升序排列的链表,给你这个链表的头节点 head ,请你删除链表中所有存在数字重复情况的节点,只保留原始链表中 没有重复出现 的数字。
返回同样按升序排列的结果链表。
示例 :
输入:head = [1,2,3,3,4,4,5]
输出:[1,2,5]
提示:
- 链表中节点数目在范围 [0, 300] 内
- 100 <= Node.val <= 100
- 题目数据保证链表已经按升序排列
解法
- 本问题的关键是要找到重复情况首节点的前驱,然后通过一个循环走过所有具有该值的节点。
- 因为头节点可能需要删掉,所以需要设置dummy_head。
代码1——迭代
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def deleteDuplicates(self, head: ListNode) -> ListNode:
dummy_head = ListNode(-1, head)
p = dummy_head
while p.next and p.next.next:
if p.next.val == p.next.next.val:
q = p.next.next.next
val = p.next.val
while q and q.val == val:
q = q.next
p.next = q
else:
p = p.next
return dummy_head.next
测试结果
执行用时:44 ms, 在所有 Python3 提交中击败了 86.72% 的用户
内存消耗:14.9 MB, 在所有 Python3 提交中击败了 43.57% 的用户
代码2——递归
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def deleteDuplicates(self, head: ListNode) -> ListNode:
if not head or not head.next:
return head
val = head.val
if val == head.next.val:
while head.next and head.next.val == val:
head = head.next
return self.deleteDuplicates(head.next)
head.next = self.deleteDuplicates(head.next)
return head
测试结果
执行用时:64 ms, 在所有 Python3 提交中击败了 7.54% 的用户
内存消耗:15.1 MB, 在所有 Python3 提交中击败了 5.01% 的用户
说明
算法题来源:力扣(LeetCode)