Fork me on GitHub

删除链表中重复的结点

题目描述

在一个排序的链表中,存在重复的结点,请删除该链表中重复的结点,重复的结点不保留,返回链表头指针。 例如,链表1->2->3->3->4->4->5 处理后为 1->2->5

解决方案

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
/*
struct ListNode {
int val;
struct ListNode *next;
ListNode(int x) :
val(x), next(NULL) {
}
};
*/
class Solution {
public:
ListNode* deleteDuplication(ListNode* pHead)
{
if(!pHead || !pHead->next) return pHead;
ListNode* start = new ListNode(0);
start->next = pHead;
ListNode* pre = start;
while(pre->next)
{
ListNode* cur = pre->next;
while(cur->next && cur->next->val == cur->val)
{
cur = cur->next;
}
if(cur != pre->next)
{
pre->next = cur->next;
}else{
pre = pre->next;
}
}
return start->next;
}
};

本文标题:删除链表中重复的结点

文章作者:LiuXiaoKun

发布时间:2019年02月21日 - 23:02

最后更新:2019年02月21日 - 23:02

原始链接:https://LiuZiQiao.github.io/2019/02/21/删除链表中重复的结点/

许可协议: 署名-非商业性使用-禁止演绎 4.0 国际 转载请保留原文链接及作者。

0%