题目描述:
给定一个排序链表,删除所有重复的元素,使得每个元素只出现一次。
示例 1:
输入: 1->1->2
输出: 1->2
示例 2:
输入: 1->1->2->3->3
输出: 1->2->3
思路分析:
这是一个简单的问题,仅测试你操作列表的结点指针的能力。由于输入的列表已排序,因此我们可以通过将结点的值与它之后的结点进行比较来确定它是否为重复结点。如果它是重复的,我们更改当前结点的 next 指针,以便它跳过下一个结点并直接指向下一个结点之后的结点。
复杂度分析
时间复杂度:O(n),因为列表中的每个结点都检查一次以确定它是否重复,所以总运行时间为 O(n),其中 n 是列表中的结点数。
空间复杂度:O(1),没有使用额外的空间。
Python实现
# 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: return None fast, slow = head, head while fast: if fast.val != slow.val: slow.next = fast slow = slow.next fast = fast.next slow.next = None return head
java实现:
public ListNode deleteDuplicates(ListNode head) { ListNode current = head; while (current != null && current.next != null) { if (current.next.val == current.val) { current.next = current.next.next; } else { current = current.next; } } return head; }
另一个版本的实现:
class Solution { public ListNode deleteDuplicates(ListNode head) { if(head==null){ return head; } ListNode dummhead=new ListNode(0); dummhead.next=head; ListNode cur=head; ListNode last=head.next; while(last!=null){ if(cur.val==last.val){ ListNode tmp=null; tmp=last.next; cur.next=tmp; last=tmp; }else{ cur=last; last=last.next; } } return dummhead.next; } }