tamanna-rumee-vn4dC0yFtg8-unsplash.jpg
简单存在一个按升序排列的链表,给你这个链表的头节点 head ,请你删除所有重复的元素,使每个元素 只出现一次 。
返回同样按升序排列的结果链表。

示例 1:
83.删除排序链表中的重复元素 - 图2
输入:head = [1,1,2]
输出:[1,2]
示例 2:
83.删除排序链表中的重复元素 - 图3
输入:head = [1,1,2,3,3]
输出:[1,2,3]

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/remove-duplicates-from-sorted-list
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

解法1:单指针(推荐)

  1. /**
  2. * Definition for singly-linked list.
  3. * function ListNode(val, next) {
  4. * this.val = (val===undefined ? 0 : val)
  5. * this.next = (next===undefined ? null : next)
  6. * }
  7. */
  8. /**
  9. * @param {ListNode} head
  10. * @return {ListNode}
  11. */
  12. var deleteDuplicates = function (head) {
  13. let p = head;
  14. while (p !== null) {
  15. if (p.next !== null && p.val === p.next.val) {
  16. p.next = p.next.next;
  17. } else {
  18. p = p.next;
  19. }
  20. }
  21. return head;
  22. };

解法2:双指针

  1. /**
  2. * Definition for singly-linked list.
  3. * function ListNode(val, next) {
  4. * this.val = (val===undefined ? 0 : val)
  5. * this.next = (next===undefined ? null : next)
  6. * }
  7. */
  8. /**
  9. * @param {ListNode} head
  10. * @return {ListNode}
  11. */
  12. var deleteDuplicates = function (head) {
  13. if (head === null) {
  14. return null;
  15. }
  16. let slow = head;
  17. let fast = head.next;
  18. if (fast === null) {
  19. return head;
  20. }
  21. while (fast !== null) {
  22. if (slow.val === fast.val) {
  23. slow.next = slow.next.next;
  24. fast = slow.next;
  25. continue;
  26. } else {
  27. slow = slow.next;
  28. fast = slow.next;
  29. }
  30. }
  31. return head;
  32. };