问题描述
有一个带头结点的单链表,请设计算法删除所有数据域值重复的结点(重复结点只保留第一个),分析算法的时间复杂度。
代码
#include<iostream>
#include<iomanip>
using namespace std;
typedef struct LNode {
int data;
LNode* next;
}LinkNode;
void CreateList(LinkNode*& L, int a[], int n) {
LinkNode* s, * r;
L = new LinkNode;
r = L;
for (int i = 0; i < n; i++) {
s = new LinkNode;
s->data = a[i];
r->next = s;
r = s;
}
r->next = NULL;
cout << "单链表创建成功!" << endl;
}
void DispList(LinkNode*& L) {
cout << "单链表为:L =(";
LinkNode* p;
p = L->next;
while (p != NULL) {
cout << p->data;
if (p->next != NULL)cout << ",";
p = p->next;
}
cout << ")";
cout << endl;
}
void DestroyList(LinkNode*& L) {
LinkNode* m = L, * n = L->next;
while (n != NULL) {
delete m;
m = n;
n = m->next;
}
delete m;
cout << "单链表销毁成功!";
}
void DelNode(LinkNode*& L) {
LinkNode* p = L->next, * m = p, * n = m->next;
while (p->next != NULL) {
if (n->data == p->data) {
m->next = n->next;
delete n;
n = m->next;
}
else {
m = n;
n = n->next;
}
if (n == NULL && p->next != NULL) {
p = p->next;
m = p;
n = m->next;
}
}
cout << "已删除值域重复的结点:" << endl;
}
int main() {
int n;
cout << "请输入单链表元素的个数:" << endl;
cin >> n;
int* a = new int[n];
srand(time(NULL));
for (int i = 0; i < n; i++) {
a[i] = rand() % (15 - 1 + 1) + 1;
}
LinkNode* p;
CreateList(p, a, n);
DispList(p);
DelNode(p);
DispList(p);
DestroyList(p);
}
代码实现
代码说明
- 本算法先在单链表中选定头结点的后继结点,然后从前往后依次遍历,如果出现与该结点相同值域的结点,就删去该结点。完成一次循环后,选定其后继结点,重复上述循环。完成后,继续向下选定,直至结束。
- 时间复杂度分析:该算法嵌套一次循环,循环内为结点的依次遍历和移动等操作,所以该算法的时间复杂度为O(n^2)。