链表的静态添加及动态遍历
我们知道数组中的数据存储是有序的,而链表中的数据是无序的但是存在某种联系使之组成链表。
那么我们如果向一组数据中添加一个数据元素,对与数组来说比较的费劲,若是越界还得需要重新申请空间等方式满足数据元素的添加和存储。链表就比较简单了,只需要把对应的指针指向适合的节点地址即可。
#include <stdio.h>
//定义结构体
struct Test
{
int data;
struct Test *next;//链表有一个指向自己的指针
};
int main()
{
putchar('\n');
//定义结构体变量
struct Test t1 = {1,NULL};
struct Test t2 = {2,NULL};
struct Test t3 = {3,NULL};
struct Test t4 = {4,NULL};
struct Test t5 = {5,NULL};
//指向对应节点地址形成链表
t1.next = &t2;
t2.next = &t3;
t3.next = &t4;
t4.next = &t5;
//输出
printf("%d %d %d %d %d \n",t1.data, t1.next->data, t1.next->next->data, t1.next->next->next->data, t1.next->next->next->next->data);
return 0;
}
执行结果:
我们优化一下上边程序的写法:
#include <stdio.h>
//定义结构体
struct Test
{
int data;
struct Test *next;//链表有一个指向自己的指针
};
//输出链表数据
void printLink(struct Test *head)
{
struct Test *piont = head;
while(piont != NULL){
printf("%d ",piont->data);
piont = piont->next;
}
putchar('\n');
}
int main()
{
//定义结构体变量
struct Test t1 = {1,NULL};
struct Test t2 = {2,NULL};
struct Test t3 = {3,NULL};
struct Test t4 = {4,NULL};
struct Test t5 = {5,NULL};
//指向对应节点地址形成链表
t1.next = &t2;
t2.next = &t3;
t3.next = &t4;
t4.next = &t5;
//输出
//printf("%d %d %d %d %d \n",t1.data, t1.next->data, t1.next->next->data, t1.next->next->next->data, t1.next->next->next->next->data);
printLink(&t1);
putchar('\n');
return 0;
}
统计链表节点个数及链表查找
统计链表节点个数
接着用上边的例子:
思想:编写函数,设置一个计数器,通过传过来的链表头节点,查看其指向是否为空,不为空计数器加。
#include <stdio.h>
//定义结构体
struct Test
{
int data;
struct Test *next;//链表有一个指向自己的指针
};
//获取列表节点数
int getLink(struct Test *head)
{
int cnt = 0;
struct Test *piont = head;
while(piont != NULL){
cnt++;
piont = piont->next;
}
return cnt;
}
int main()
{
//定义结构体变量
struct Test t1 = {1,NULL};
struct Test t2 = {2,NULL};
struct Test t3 = {3,NULL};
struct Test t4 = {4,NULL};
struct Test t5 = {5,NULL};
//指向对应节点地址形成链表
t1.next = &t2;
t2.next = &t3;
t3.next = &t4;
t4.next = &t5;
int ret = getLink(head);
printf("the link's is %d \n",ret);
return 0;
}
执行结果:
链表数据查找
#include <stdio.h>
//定义结构体
struct Test
{
int data;
struct Test *next;//链表有一个指向自己的指针
};
//查找数据
int searchLink(struct Test *head,int data)
{
while(head != NULL){
if(head->data == data){
//如果输入的数据与链表里的某一项数据相等就返回1否则返回0
return 1;
}
//跳到下一节点
head = head->next;
}
return 0;
}
int main()
{
//定义结构体变量
struct Test t1 = {1,NULL};
struct Test t2 = {2,NULL};
struct Test t3 = {3,NULL};
struct Test t4 = {4,NULL};
struct Test t5 = {5,NULL};
//指向对应节点地址形成链表
t1.next = &t2;
t2.next = &t3;
t3.next = &t4;
t4.next = &t5;
//定义、输入数据
int num;
scanf("%d",&num);
int ret = searchLink(&t1,num);
//结果返回
if(ret){
printf("have %d\n",num);
}else{
printf("don't have %d\n",num);
}
return 0;
}
执行结果:
输入不存在的数据:
存在的数据: