?1 问题
????????存在一个按升序排列的链表,给你这个链表的头节点 head ,请你删除链表中所有存在数字重复情况的节点,重复数字只保留一次。
????????返回同样按升序排列的结果链表。
1.1 示例
data:image/s3,"s3://crabby-images/9e59b/9e59b039b0c4e86333475a23d6c49191214a54cd" alt=""
????????输入:head = [1,2,3,3,4,4,5]
????????输出:[1,2,3,4,5]
1.2 示例
data:image/s3,"s3://crabby-images/286d7/286d7a86bf9db0b70ba3f4539716e317e476024d" alt=""
????????输入:head = [1,1,1,2,3,3]
????????输出:[1,2,3]
2 思路
2.1 遍历
data:image/s3,"s3://crabby-images/0ffe2/0ffe2a70d88fac2c0f3d4e441b34932a23a42eb2" alt=""
?图1 遍历
?2.2 递归
data:image/s3,"s3://crabby-images/dfc36/dfc3676683bd2e92c5f530f41ed08d5608b40bd0" alt=""
?图2 递归
3 编程
3.1 遍历
/**
* 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 || !head->next) return head;
ListNode* dummy = new ListNode(0, head);
ListNode* prev = dummy;
while (head)
{
while (head->next && head->val == head->next->val)
{
head = head->next;
}
if (prev->next = head)
{
prev->next = head;
}
prev = head;
head = head->next;
}
return dummy->next;
}
};
3.2 递归
/**
* 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 || !head->next) return head;
if (head->val == head->next->val)
{
while (head->next && head->val == head->next->val)
{
head = head->next;
}
return deleteDuplicates(head);
}
else
{
head->next = deleteDuplicates(head->next);
}
return head;
}
};
|