赞
踩
- /*
- * Copyright (c) 2017,烟台大学计算机学院
- * All right reserved.
- * 文件名称:main.cpp
- * 作者:尹娜
- * 完成日期:2017年9月24日
- * 版本号:v1.0
- *
- * 问题描述:单链表的逆置、连接与递增判断
- * 输入描述:标准函数输入
- * 程序输出:标准函数输出
- */
(程序中利用了已经实现的单链表算法,头文件LinkList.h及其中函数的实现见单链表算法库)
1.将一个带头结点的数据域依次为a1,a2,…,an(n≥3)的单链表的所有结点逆置,即第一个结点的数据域变为an,…,最后一个结点的数据域为a1。
代码如下:
- #include <stdio.h>
- #include <malloc.h>
- #include "linklist.h"
- void Reverse(LinkList *&L)
- {
- LinkList *p=L->next,*q;
- L->next=NULL;
- while (p!=NULL) //扫描所有的结点
- {
- q=p->next; //让q指向*p结点的下一个结点
- p->next=L->next; //总是将*p结点作为第一个数据结点
- L->next=p;
- p=q; //让p指向下一个结点
- }
- }
-
- int main()
- {
- LinkList *L;
- ElemType a[]= {1,3,5,7, 2,4,8,10};
- CreateListR(L,a,8);
- printf("L:");
- DispList(L);
- Reverse(L);
- printf("逆置后L: ");
- DispList(L);
- DestroyList(L);
- return 0;
- }
运行结果:
2.已知L1和L2分别指向两个单链表的头结点,且已知其长度分别为m、n,将L2连接到L1的后面。
代码如下:
- #include <stdio.h>
- #include <malloc.h>
- #include "linklist.h"
-
- void Link(LinkList *&L1, LinkList *&L2)
- {
- LinkList *p = L1;
- while(p->next != NULL) //找到L1的尾节点
- p = p->next;
- p->next = L2->next; //将L2的首个数据节点连接到L1的尾节点后
- free(L2); //释放掉已经无用的L2的头节点
- }
-
- int main()
- {
- LinkList *A, *B;
- int i;
- ElemType a[]= {1,3,2,9};
- ElemType b[]= {0,4,7,6,5,8};
- InitList(A);
- for(i=3; i>=0; i--)
- ListInsert(A, 1, a[i]);
- InitList(B);
- for(i=5; i>=0; i--)
- ListInsert(B, 1, b[i]);
- Link(A, B);
- printf("A:");
- DispList(A);
- DestroyList(A);
- return 0;
- }
运行结果:
3.判断单链表L是否是递增的。
代码如下:
- #include <stdio.h>
- #include <malloc.h>
- #include "linklist.h"
-
- bool increase(LinkList *L)
- {
- LinkList *p = L->next, *q; //p指向第1个数据节点
- if(p != NULL)
- {
- while(p->next != NULL)
- {
- q = p->next; //q是p的后继
- if (q->data > p->data) //只要是递增的,就继续考察其后继
- p = q;
- else
- return false; //只要有一个不是后继大于前驱,便不是递增
- }
- }
- return true;
- }
-
- int main()
- {
- LinkList *A, *B;
- int i;
- ElemType a[]= {1, 3, 2, 9};
- ElemType b[]= {0, 4, 5 ,6, 7, 8};
- InitList(A);
- for(i=3; i>=0; i--)
- ListInsert(A, 1, a[i]);
- InitList(B);
- for(i=5; i>=0; i--)
- ListInsert(B, 1, b[i]);
- printf("A: %c\n", increase(A)?'Y':'N');
- printf("B: %c\n", increase(B)?'Y':'N');
- DestroyList(A);
- DestroyList(B);
- return 0;
- }
运行结果:
知识总结:应用到之前写的算法库,利用一些基本算法,实现一些单链表的简单应用。
学习心得:起初对这些应用的实现很懵,可是通过画图,也是可以理解的。对于链表的理解,重要的还是画图。
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。