友情支持
如果您觉得这个笔记对您有所帮助,看在D瓜哥码这么多字的辛苦上,请友情支持一下,D瓜哥感激不尽,😜
有些打赏的朋友希望可以加个好友,欢迎关注D 瓜哥的微信公众号,这样就可以通过公众号的回复直接给我发信息。
公众号的微信号是: jikerizhi 。因为众所周知的原因,有时图片加载不出来。 如果图片加载不出来可以直接通过搜索微信号来查找我的公众号。 |
83. 删除排序链表中的重复元素
给定一个已排序的链表的头 head
, 删除所有重复的元素,使每个元素只出现一次 。返回 已排序的链表。
示例 1:

输入:head = [1,1,2] 输出:[1,2]
示例 2:

输入:head = [1,1,2,3,3] 输出:[1,2,3]
提示:
-
链表中节点数目在范围
[0, 300]
内 -
-100 <= Node.val <= 100
-
题目数据保证链表已经按升序 排列
思路分析
-
一刷
-
二刷
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
/**
* Runtime: 1 ms, faster than 22.08% of Java online submissions for Remove Duplicates from Sorted List.
* Memory Usage: 40 MB, less than 7.14% of Java online submissions for Remove Duplicates from Sorted List.
*
* @author D瓜哥 · https://www.diguage.com
* @since 2020-02-04 22:39
*/
public ListNode deleteDuplicates(ListNode head) {
ListNode current = head.next;
while (Objects.nonNull(current) && Objects.nonNull(current.next)) {
if (current.val == current.next.val) {
current.next = current.next.next;
} else {
current = current.next;
}
}
return head;
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
/**
* @author D瓜哥 · https://www.diguage.com
* @since 2025-05-20 15:08:29
*/
public ListNode deleteDuplicates(ListNode head) {
ListNode dummy = new ListNode(119);
dummy.next = head;
ListNode curr = dummy;
while (curr.next != null) {
if (curr.val == curr.next.val) {
int val = curr.val;
while (curr.next != null && val == curr.next.val) {
curr.next = curr.next.next;
}
} else {
curr = curr.next;
}
}
return dummy.next;
}
思考如何把代码写的简单易懂。
附加题
如果效仿 80. 删除有序数组中的重复项 II 要求每个元素保留不得两个,又该怎么做呢?