问题描述
在一个排序的链表中,存在重复的结点,请删除该链表中重复的结点,重复的结点不保留,返回链表头指针。 例如,链表1->2->3->3->4->4->5 处理后为 1->2->5
解题思路
import java.util.*;
/*
public class ListNode {
int val;
ListNode next = null;
ListNode(int val) {
this.val = val;
}
}
*/
public class Solution {
public ListNode deleteDuplication(ListNode pHead)
{
// 将没有重复的节点存入对列中
Queue<ListNode> queue = initQueue(pHead);
return getResultHead(queue);
}
public ListNode getResultHead(Queue<ListNode> queue){
// 遍历队列 构造新的结果链表 将头节点返回
ListNode newHead = null;
ListNode tail = null;
while(!queue.isEmpty()){
// 头节点为空 初始化头节点 记录链表头节点
if(newHead == null){
newHead = queue.poll();
tail = newHead;
tail.next = null;
continue;
}
// 剩下的节点连接到头节点的后面
tail.next = queue.poll();
tail = tail.next;
tail.next = null;
}
return newHead;
}
public Queue initQueue(ListNode pHead){
/**使用双端队列 存储链表节点,如果使用栈,则结果序列顺序与元链表节点顺序不一样,
使用双端队列可以使用栈的特性,并保持结果序列与与换来链表序列顺序一样
*/
Deque<ListNode> queue = new LinkedList<ListNode>();
if(pHead == null){
return queue;
}
queue.addLast(pHead);
pHead = pHead.next;
while(pHead != null){
// 标识当前节点是否重复 如果重复则要从双端队列中移除
boolean flag = false;
int peekValue = queue.peekLast().val;
// 比较双端队列队尾节点的val与当前节点val是否相同,相同就后移,并标志该队尾节点要出队
while(null != pHead && pHead.val == peekValue){
pHead = pHead.next;
flag = true;
}
// 如果为重复的节点,则出队
if(flag){
queue.pollLast();
}
// 防止队尾空节点入队
if(null != pHead){
queue.addLast(pHead);
pHead = pHead.next;
}
}
return queue;
}
}
方法二
借助辅助头结点,可避免单独讨论头结点的情况。设置两个结点 pre 和 cur,当 cur 和 cur.next 值相等,cur 一直向前走,直到不等退出循环,这时候 cur 指的值还是重复值,调整 cur 和 pre 的指针再次判断
public class Solution {
public ListNode deleteDuplication(ListNode pHead){
if(pHead == null || pHead.next == null){
return pHead;
}
// 自己构建辅助头结点
ListNode head = new ListNode(Integer.MIN_VALUE);
head.next = pHead;
ListNode pre = head;
ListNode cur = head.next;
while(cur!=null){
if(cur.next != null && cur.next.val == cur.val){
// 相同结点一直前进
while(cur.next != null && cur.next.val == cur.val){
cur = cur.next;
}
// 退出循环时,cur 指向重复值,也需要删除,而 cur.next 指向第一个不重复的值
// cur 继续前进
cur = cur.next;
// pre 连接新结点
pre.next = cur;
}else{
pre = cur;
cur = cur.next;
}
}
return head.next;
}
}