原理:就是通过指针遍历链表,将排序链表的下一个与上一个作比较有两种情况:1.下一个字符与上一个字符相同,则用指针跳过下个字符,否者,两个指针分别向下移动一位。
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode* deleteDuplicates(ListNode* head)
{
if(head == NULL)
{
return head;
}
ListNode* P = head;
ListNode* temp = head->next;
while(temp)
{
cout<<P->val;
if(P->val == temp->val)
{
//cout<<"here"<<endl;
temp = temp->next;
P->next = temp;
continue;
}
P = temp;
temp = temp->next;
}
return head;
}
};