
简单存在一个按升序排列的链表,给你这个链表的头节点 head ,请你删除所有重复的元素,使每个元素 只出现一次 。
返回同样按升序排列的结果链表。
示例 1:
输入:head = [1,1,2]
输出:[1,2]
示例 2: 
输入:head = [1,1,2,3,3]
输出:[1,2,3]
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/remove-duplicates-from-sorted-list
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
解法1:单指针(推荐)
/*** Definition for singly-linked list.* function ListNode(val, next) {* this.val = (val===undefined ? 0 : val)* this.next = (next===undefined ? null : next)* }*//*** @param {ListNode} head* @return {ListNode}*/var deleteDuplicates = function (head) {let p = head;while (p !== null) {if (p.next !== null && p.val === p.next.val) {p.next = p.next.next;} else {p = p.next;}}return head;};
解法2:双指针
/*** Definition for singly-linked list.* function ListNode(val, next) {* this.val = (val===undefined ? 0 : val)* this.next = (next===undefined ? null : next)* }*//*** @param {ListNode} head* @return {ListNode}*/var deleteDuplicates = function (head) {if (head === null) {return null;}let slow = head;let fast = head.next;if (fast === null) {return head;}while (fast !== null) {if (slow.val === fast.val) {slow.next = slow.next.next;fast = slow.next;continue;} else {slow = slow.next;fast = slow.next;}}return head;};
