题目
编写代码,移除未排序链表中的重复节点。保留最开始出现的节点。
示例1:
输入:[1, 2, 3, 3, 2, 1]
输出:[1, 2, 3]
示例2:
输入:[1, 1, 1, 1, 2]
输出:[1, 2]
提示:
链表长度在[0, 20000]范围内。
链表元素在[0, 20000]范围内。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/remove-duplicate-node-lcci
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
思路
先说官方题解
第一种用了hashset,并且使用hashset的存入成功返回为true的特性来处理这个问题,算是学习到了一个知识点。
自己的话,本想通过一个桶数组,但是各种越界问题,最后放弃了。看看之后会不会想到什么比较好的方法。
代码
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public ListNode removeDuplicateNodes(ListNode head) {
ListNode curr = head;
if(head == null){
return null;
}
Set<Integer> occurred = new HashSet<Integer>();
occurred.add(head.val);
ListNode post = head;
while(post.next!=null){
ListNode cur = post.next;
if(occurred.add(cur.val)){
post = post.next;
}else{
post.next = post.next.next;
}
}
post.next = null;
return head;
}
}