LeetCode每周五题_2024/01/15~01/19

发布时间:2024年01月15日

82. 删除排序链表中的重复元素 II

题目

给定一个已排序的链表的头 head , 删除原始链表中所有重复数字的节点,只留下不同的数字 。返回 已排序的链表 。

题解

/**
 * 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) {
    return head;
  }
  // 链表头可能被删除,增加哑节点指向链表头
  const dummy = new ListNode(0, head);
  // 指针
  let cur = dummy;
  while (cur.next && cur.next.next) {
    // 元素重复
    if (cur.next.val === cur.next.next.val) {
      // 重复值
      const x = cur.next.val;
      //重复值后一个元素指向
      cur.next = cur.next.next.next;
      while (cur.next && cur.next.val === x) {
        cur.next = cur.next.next;
      }
    } else {
      // 指针移动
      cur = cur.next;
    }
  }
  // 去除哑节点
  return dummy.next;
};
文章来源:https://blog.csdn.net/Sheng_zhenzhen/article/details/135597686
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。