- 删除排序链表中的重复元素 II
存在一个按升序排列的链表,给你这个链表的头节点 head ,请你删除链表中所有存在数字重复情况的节点,只保留原始链表中 没有重复出现 的数字。
返回同样按升序排列的结果链表
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* struct ListNode *next;
* };
*/
struct ListNode* deleteDuplicates(struct ListNode* head){
if(head==NULL||head->next==NULL) return head;
struct ListNode* last;
struct ListNode* temp =NULL;
struct ListNode* cur=head;
bool yes = false;//判断是否发生了重复的数字
last =head;
while(cur)
{
while(cur->next&&cur->val==cur->next->val)
{
temp=cur->next;
cur->next=cur->next->next;
free(temp);
yes=true;
}
if(yes)//若是发生了重复删除 则要再次删除一个
{
if(cur==head)
{ //这其中有一个例外就是头几个就是重复的数字,需要单独处理
cur = head->next;
last=head->next;
free(head);
head=cur;
}
else
{//一般情况下的处理
last->next = cur->next;
free(cur);
cur=last->next;
}
yes =false;
}
else
{
last=cur;
cur=cur->next;
}
}
return head;
}