《剑指offer》刷题笔记。如有更好解法,欢迎留言。
关键字:链表
题目描述:
在一个排序的链表中,存在重复的结点,请删除该链表中重复的结点,重复的结点不保留,返回链表头指针。 例如,链表1->2->3->3->4->4->5 处理后为 1->2->5
思路:
1. 因为需要删除重复的节点,而且该链表是单向链表,一般我们考虑使用两个指针(pre和cur),为此添加虚拟节点Head
data:image/s3,"s3://crabby-images/d376e/d376ee09c45659a66548d2c6c23f17452d2ed0fc" alt=""
2. 创建指针pre和cur
data:image/s3,"s3://crabby-images/1150f/1150f32e2b06a85bbecc918cd2ba2134dc449588" alt=""
3. 通过while循环判断 cur 和 cur.next 的值是否相等,当没碰到重复时 pre 和 cur 一直往后移动。
data:image/s3,"s3://crabby-images/10ab0/10ab045b68df97d839552e12430befc876a2e54c" alt=""
data:image/s3,"s3://crabby-images/8827c/8827c737433d2262242340457bccf43b4db69717" alt=""
4. 遇到 cur 和 cur.next 的值相等的情况时停止移动。通过while循环再判断到底有多少个重复节点,cur 单独移动。
data:image/s3,"s3://crabby-images/5fb67/5fb67985da6901cb6250be4e568d984d2e1d8e20" alt=""
5. 到这一步,开始删除 3 这个节点。
data:image/s3,"s3://crabby-images/03ca9/03ca9e2cea8a5e0d9601e4a698ef526bf851d5ef" alt=""
data:image/s3,"s3://crabby-images/4ad45/4ad45a53fff21ef2ad6d9632ff8781113744c9d3" alt=""
data:image/s3,"s3://crabby-images/2a3a2/2a3a2a429db04ec5c9c507b563958e7b8c86f766" alt=""
6. 到这里节点 3 已经被删除了,同理删除剩余的节点 4。最后返回Head.next(也就是原来的头结点)。
- 完整代码
/*function ListNode(x){
this.val = x;
this.next = null;
}*/
function deleteDuplication(pHead)
{
if(pHead === null || pHead.next === null){
return pHead;
}
let Head = new ListNode(0);
Head.next = pHead;
let pre = Head;
let cur = Head.next;
while(cur !== null){
if(cur.next !== null && cur.val === cur.next.val){
while(cur.next !== null && cur.val === cur.next.val){
cur = cur.next;
}
pre.next = cur.next;
cur = cur.next;
}else{
pre = pre.next;
cur = cur.next;
}
}
return Head.next;
}
网友评论