-
Notifications
You must be signed in to change notification settings - Fork 0
/
linked_list.c
82 lines (82 loc) · 1.98 KB
/
linked_list.c
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
#include <stdio.h>
#include <string.h>
#include <math.h>
#include <stdbool.h>
#include <stdlib.h>
typedef struct node * nodeptr;
typedef struct node{
int data;
nodeptr next;
}node;
void print(nodeptr head){ //输出函数 全部
nodeptr temp=head;
while(temp){
printf("%d ",temp->data);
temp=temp->next;
}
}
nodeptr create(int n){ //创建链表
int i;
nodeptr p=NULL,q=NULL,head=NULL;
for(i=0;i<n;i++){
int temp;
scanf("%d",&temp);
p=(struct node*)malloc(sizeof(struct node));
p->data=temp;
if(head==NULL){
head=p;
}
else{
q->next=p;
}
q=p;
}
return head;
}
nodeptr find_element(nodeptr head,int target){ //查找 按元素
nodeptr temp=head;
while(temp){
if(temp->data==target){
return temp;
}
temp=temp->next;
}
return NULL;
}
nodeptr insert(int element,nodeptr head,int which){ //插入元素 要提供目的位置的元素数据 然后会插到此元素后
nodeptr temp=head; //没有的话就返回NULL 插入成功就返回插入的元素的地址
while(temp){
if(temp->data==which){
node *temp1;
temp1=(struct node*)malloc(sizeof(struct node));
temp1->data=element;
temp1->next=temp->next;
temp->next=temp1;
return temp1;
}
temp=temp->next;
}
return NULL;
}
bool delete(nodeptr head,int target){ //返回是否删除成功
nodeptr temp=head;
while(temp){
if(temp->next->data==target){
temp->next=temp->next->next;
return true;
}
temp=temp->next;
}
return false;
}
int main(){
//nodeptr head=create(10);
//print(head);
//print(head);
//printf("%d",find_element(head, 5)->data);
//insert(11, head, 7);
//print(head);
//delete(head, 5);
//print(head);
return 0;
}