相似题目:[E链表] lc83. 删除排序链表中的重复元素(单链表+模拟)
这个题目与 83 题都很类似,一个是将重复元素全部删除,另一个是将重复元素至多保留一个。注意以下几点即可:
// @lc code=start
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* deleteDuplicates(ListNode* head) {
if (!head)
return head;
ListNode* dummy = new (ListNode){0, head};
ListNode *a = dummy;
while (a->next) {
ListNode *b = a->next->next;
while (b && (b->val == a->next->val)) b = b->next;
if (a->next->next == b) a = a->next;
else a->next = b;
}
return dummy->next;
}
};
// @lc code=end