//*********************************** |
//功能:设单链表的元素递增排列,删除表中的重复元素 |
//日期:2017年9月27日 |
//作者:Ryan2019 |
//*********************************** |
#include <iostream> |
using namespace std; |
typedef int LElemType; |
typedef struct LNode |
{ |
LElemType data; |
LNode *next; |
}* LList; |
void ListCreate(LList &L, int n,LElemType a[]); //创建链表 |
void Listshow(LList &L); //显示链表 |
bool ListDelete(LList &L); //删除表中的重复元素 |
int main() |
{ |
LList L; int n=8; |
LElemType a[8]={1,1,2,2,2,3,4,4}; |
ListCreate(L,n,a); |
cout<< "原链表为:" ; Listshow(L); |
ListDelete(L); |
cout<< "去重后链表为:" ; Listshow(L); |
return 0; |
} |
void ListCreate(LList &L, int n,LElemType a[]) |
{ |
LList p; int i; |
L= new LNode; L->next=NULL; |
for (i=n-1;i>=0;i--) |
{ |
p= new LNode; |
p->data=a[i]; |
p->next=L->next; |
L->next=p; |
} |
} |
void Listshow(LList &L) |
{ |
LList p; |
for (p=L->next;p;p=p->next) |
{ |
cout<<p->data<< " " ; |
} |
cout<<endl; |
} |
bool ListDelete(LList &L) |
{ |
if (L->next == NULL) |
{ |
return true ; |
} |
LList p,q,t; |
p = L->next; |
q = p->next; |
while (q) |
{ |
if (p->data == q->data) |
{ |
t=q; |
q=q->next; |
delete t; |
} |
else |
{ |
p->next = q; |
p=q; |
q=q->next; |
} |
} |
p->next=NULL; |
return true ; |
} |