Given a sorted linked list, delete all duplicates such that each element appear only once.
Example 1:
Input: 1->1->2
Output: 1->2
Example 2:
Input: 1->1->2->3->3
Output: 1->2->3
Just like 82. Remove Duplicates from Sorted List II except keeping the first duplicate node.
/**
* Definition for singly-linked list.
* function ListNode(val) {
* this.val = val;
* this.next = null;
* }
*/
/**
* @param {ListNode} head
* @return {ListNode}
*/
var deleteDuplicates = function(head) {
if (!head) { return null }
const prehead = { next: head }
let p = prehead
let dupVal = NaN
for (let p1 = head; p1; p1 = p1.next) {
if (p1.val === dupVal) {
p.next = p1.next
} else {
if (p1.next && p1.val === p1.next.val) {
dupVal = p1.val
}
p = p1
}
}
return prehead.next
};
Just compare the next node. This is way more faster.
/**
* Definition for singly-linked list.
* function ListNode(val) {
* this.val = val;
* this.next = null;
* }
*/
/**
* @param {ListNode} head
* @return {ListNode}
*/
var deleteDuplicates = function(head) {
if (!head) { return null }
let p = head
while (p) {
if (p.next && p.val === p.next.val) {
p.next = p.next.next
} else {
p = p.next
}
}
return head
};
Template generated via Leetmark.