實際中經常使用的一般為帶頭雙向循環鏈表。
單鏈表1
#include< stdio.h >
#include< stdlib.h >
typedef struct node
{
int data; //"數據域" 保存數據元素
struct node * next; //保存下一個數據元素的地址
}Node;
void printList(Node *head){
Node *p = head;
while(p != NULL){
printf("%dn",p- >data);
p = p - > next;
}
}
int main(){
Node * a = (Node *)malloc(sizeof(Node));
Node * b = (Node *)malloc(sizeof(Node));
Node * c = (Node *)malloc(sizeof(Node));
Node * d = (Node *)malloc(sizeof(Node));
Node * e = (Node *)malloc(sizeof(Node));
a- >data = 1;
a- >next = b;
b- >data = 2;
b- >next = c;
c- >data = 3;
c- >next = d;
d- >data = 4;
d- >next = e;
e- >data = 5;
e- >next = NULL;
printList(a);
}
結果:
這個鏈表比較簡單,實現也很原始,只有創建節點和遍歷鏈表,大家一看就懂!
單鏈表2
這個鏈表功能多一點:
- 創建鏈表
- 創建節點
- 遍歷鏈表
- 插入元素
- 刪除元素
#include< stdio.h >
#include< stdlib.h >
typedef struct node
{
int data; //"數據域" 保存數據元素
struct node * next; //保存下一個數據元素的地址
}Node;
//創建鏈表,即創建表頭指針
Node* creatList()
{
Node * HeadNode = (Node *)malloc(sizeof(Node));
//初始化
HeadNode- >next = NULL;
return HeadNode;
}
//創建節點
Node* creatNode(int data)
{
Node* newNode = (Node *)malloc(sizeof(Node));
//初始化
newNode- >data = data;
newNode- >next = NULL;
return newNode;
}
//遍歷鏈表
void printList(Node *headNode){
Node *p = headNode - > next;
while(p != NULL){
printf("%dt",p- >data);
p = p - > next;
}
printf("n");
}
//插入節點:頭插法
void insertNodebyHead(Node *headNode,int data){
//創建插入的節點
Node *newnode = creatNode(data);
newnode - > next = headNode - > next;
headNode - > next = newnode;
}
//刪除節點
void deleteNodebyAppoin(Node *headNode,int posData){
// posNode 想要刪除的節點,從第一個節點開始遍歷
// posNodeFront 想要刪除節點的前一個節點
Node *posNode = headNode - > next;
Node *posNodeFront = headNode;
if(posNode == NULL)
printf("鏈表為空,無法刪除");
else{
while(posNode- >data != posData)
{
//兩個都往后移,跟著 posNodeFront 走
posNodeFront = posNode;
posNode = posNodeFront- >next;
if (posNode == NULL)
{
printf("沒有找到,無法刪除");
return;
}
}
//找到后開始刪除
posNodeFront- >next = posNode- >next;
free(posNode);
}
}
int main(){
Node* List = creatList();
insertNodebyHead(List,1);
insertNodebyHead(List,2);
insertNodebyHead(List,3);
printList(List);
deleteNodebyAppoin(List,2);
printList(List);
return 0;
}
結果:
大家從最簡單的單鏈表開始,學習鏈表的增刪改查,然后再學習雙鏈表,最后學習雙向循環鏈表。
-
數據結構
+關注
關注
3文章
573瀏覽量
40190 -
單鏈表
+關注
關注
0文章
13瀏覽量
6929
發布評論請先 登錄
相關推薦
評論