问题描述:
Given a sorted linked list, delete all duplicates such that each element appear only once.
示例:
Given 1->1->2
, return 1->2
.
Given 1->1->2->3->3
, return 1->2->3
.
问题分析:
对一个排好序的链表,要除去相同的元素,只需要将该元素第一次出现和一个新元素出现时的位置记录下来,然后做一下链表删除即可。
注意,最后要把last元素指针尾部设置为NULL。
过程详见代码:
/**
* 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 NULL;
ListNode* last = head;
ListNode* it = head->next;
while(it != NULL)
{
if(last->val != it->val)
{
last->next = it;
last = it;
}
it = it->next;
}
last->next = NULL;
return head;
}
};