有以ha为头结点的链表,元素个数为m;以hb为头结点的链表,元素个数为n。现在需要你把这两个链表连接起来,并使时间复杂度最小,请分析并实现。
思路:
很简单的链表操作的题目,逆序头部插入,并将长度较长的一方接到较短的后面,时间复杂度为O(min(m,n)),注意free使用的地点!。
实例代码:
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
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
|
#include <iostream>
#include <string>
#include <algorithm>
using namespace std;
typedef int ElemType;
typedef struct Node
{
ElemType data;
struct Node *next;
}Lnode,*LinkList;
//打印
void print(LinkList &head)
{
LinkList plist=head->next;
while (plist!=NULL)
{
cout<<plist->data<< " " ;
plist=plist->next;
}
cout<<endl;
}
//逆序输入链表
void CreateList(LinkList &L, int m)
{
LinkList p;
L=(LinkList) malloc ( sizeof (Node));
L->next=NULL;
cout<< "逆序输入元素,空格分隔:" <<endl;
for ( int i=m;i>0;--i)
{
p=(LinkList) malloc ( sizeof (Node));
cin>>p->data;
p->next=L->next;
L->next=p;
}
print(L);
}
//连接链表
void Combine(LinkList &ha, int m,LinkList &hb, int n,LinkList &hc)
{
LinkList selectMin;
hc=(LinkList) malloc ( sizeof (Node));
int flag=0;
if (m>n)
{
selectMin=hb;
flag=1; //ha在后面
}
else
selectMin=ha;
while (selectMin->next!=NULL)
selectMin=selectMin->next;
if (flag)
{
selectMin->next=ha->next;
hc=hb;
free (ha); //notice
}
else
{
selectMin->next=hb->next;
hc=ha;
free (hb);
}
cout<< "合并后的链表为:" <<endl;
print(hc);
}
void Destory(LinkList &hc) //仅释放hc即可
{
LinkList temp;
while (hc!=NULL)
{
temp=hc;
hc=hc->next;
free (temp);
}
}
int main()
{
int m,n;
cout<< "请输入以ha为head节点链表的元素个数:" <<endl;
cin>>m;
LinkList ha,hb,hc;
CreateList(ha,m);
cout<< "请输入以hb为head节点链表的元素个数:" <<endl;
cin>>n;
CreateList(hb,n);
Combine(ha,m,hb,n,hc);
Destory(hc);
return 0;
}
|
感谢阅读,希望能帮助到大家,谢谢大家对本站的支持!
原文链接:http://blog.csdn.net/nk_test/article/details/51056798