LeetCode82. 删除排序链表中的重复元素 II(c++详解)

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

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


示例 1:

image.png

输入:head = [1,2,3,3,4,4,5]

输出:[1,2,5]


示例 2:

image.png

输入:head = [1,1,1,2,3]

输出:[2,3


这个题的思想不难,难的是细节


1)我这里用的是,先常规的去遍历找到重复出现过得数,如果这个数重复出现了,那么nums的值就会大于一;


2)由于这里可能会出现第一个头结点就重复所以我们需要新设置一个结点指向头结点,不然删除第一个头结点后面的元素就会丢失,我们设置俩个指针,指向我们新设置的这个结点new_head,pre这个指针的作用是帮我们探路,如果发现这个结点满足条件是等于1的那么另一个指向new_head 的结点就把它的next指过来


3)最后我们由于没有把new_head给移动过,所以我们可以通过遍历其next遍历完整个链表,即返回new_head->next


正确代码1:

class Solution {
public:
    ListNode* deleteDuplicates(ListNode* head) {
        map<int,int>nums;
        ListNode *p = head;
        ListNode *new_head = new ListNode(0,head);
        ListNode *pre =  new_head;
        ListNode *temp = new_head;
        //new_head->next =head;
        while(p)
        {
            nums[p->val]++;
            p = p->next; 
        }
        pre = pre->next;
        while(pre){
            if(nums[pre->val] > 1){
                temp->next= NULL;
                pre =pre->next;
            }
            else {
             temp->next =pre;
             temp = temp -> next;
             pre = pre->next;
            }
        }
        if(temp == new_head) return NULL;
        return new_head->next;
    }
};

官方解答

class Solution {
public:
    ListNode* deleteDuplicates(ListNode* head) {
        if (!head) {
            return head;
        }
        ListNode* dummy = new ListNode(0, head);
        ListNode* cur = dummy;
        while (cur->next && cur->next->next) {
            if (cur->next->val == cur->next->next->val) {
                int x = cur->next->val;
                while (cur->next && cur->next->val == x) {
                    cur->next = cur->next->next;
                }
            }
            else {
                cur = cur->next;
            }
        }
        return dummy->next;
    }
};


相关文章
|
2月前
【力扣】-- 移除链表元素
【力扣】-- 移除链表元素
36 1
|
2月前
Leetcode第21题(合并两个有序链表)
这篇文章介绍了如何使用非递归和递归方法解决LeetCode第21题,即合并两个有序链表的问题。
50 0
Leetcode第21题(合并两个有序链表)
|
2月前
LeetCode第二十四题(两两交换链表中的节点)
这篇文章介绍了LeetCode第24题的解法,即如何通过使用三个指针(preNode, curNode, curNextNode)来两两交换链表中的节点,并提供了详细的代码实现。
22 0
LeetCode第二十四题(两两交换链表中的节点)
|
2月前
Leetcode第十九题(删除链表的倒数第N个节点)
LeetCode第19题要求删除链表的倒数第N个节点,可以通过快慢指针法在一次遍历中实现。
44 0
Leetcode第十九题(删除链表的倒数第N个节点)
|
2月前
|
索引
力扣(LeetCode)数据结构练习题(3)------链表
力扣(LeetCode)数据结构练习题(3)------链表
85 0
|
2月前
【LeetCode 10】142. 环形链表 II
【LeetCode 10】142. 环形链表 II
21 0
|
2月前
【LeetCode 09】19 删除链表的倒数第 N 个结点
【LeetCode 09】19 删除链表的倒数第 N 个结点
17 0
|
2月前
【LeetCode 08】206 反转链表
【LeetCode 08】206 反转链表
13 0
|
2月前
【LeetCode 06】203.移除链表元素
【LeetCode 06】203.移除链表元素
30 0
|
6天前
|
存储 编译器 C语言
【c++丨STL】string类的使用
本文介绍了C++中`string`类的基本概念及其主要接口。`string`类在C++标准库中扮演着重要角色,它提供了比C语言中字符串处理函数更丰富、安全和便捷的功能。文章详细讲解了`string`类的构造函数、赋值运算符、容量管理接口、元素访问及遍历方法、字符串修改操作、字符串运算接口、常量成员和非成员函数等内容。通过实例演示了如何使用这些接口进行字符串的创建、修改、查找和比较等操作,帮助读者更好地理解和掌握`string`类的应用。
21 2