写一个单链表的代码用c语言
时间: 2024-05-15 20:12:40 浏览: 83
以下是一个简单的单链表的代码示例,包括创建、插入、删除等基本操作:
```c
#include <stdio.h>
#include <stdlib.h>
typedef struct Node {
int data;
struct Node *next;
} Node;
// 创建单链表
Node* createList() {
Node *head = NULL, *tail = NULL;
int x;
printf("请输入数据(输入-1结束):");
while (1) {
scanf("%d", &x);
if (x == -1) {
break;
}
Node *newNode = (Node*)malloc(sizeof(Node));
newNode->data = x;
newNode->next = NULL;
if (head == NULL) {
head = tail = newNode;
} else {
tail->next = newNode;
tail = newNode;
}
}
return head;
}
// 插入节点
void insertNode(Node *head, int pos, int data) {
Node *p = head, *newNode;
int i = 1;
while (p && i < pos) {
p = p->next;
i++;
}
if (!p || i > pos) {
printf("插入位置错误\n");
return;
}
newNode = (Node*)malloc(sizeof(Node));
newNode->data = data;
newNode->next = p->next;
p->next = newNode;
}
// 删除节点
void deleteNode(Node *head, int pos) {
Node *p = head, *q;
int i = 1;
while (p && i < pos) {
p = p->next;
i++;
}
if (!p || !p->next || i > pos) {
printf("删除位置错误\n");
return;
}
q = p->next;
p->next = q->next;
free(q);
}
// 打印单链表
void printList(Node *head) {
Node *p = head;
printf("链表数据:");
while (p) {
printf("%d ", p->data);
p = p->next;
}
printf("\n");
}
int main() {
Node *head = NULL;
head = createList();
printList(head);
insertNode(head, 2, 10);
printList(head);
deleteNode(head, 3);
printList(head);
return 0;
}
```
在这个示例中,我们定义了一个 `Node` 结构体,包含了数据和指向下一个节点的指针。然后,我们定义了一些基本操作函数,包括 `createList` 用于创建单链表, `insertNode` 用于插入新节点, `deleteNode` 用于删除节点,以及 `printList` 用于打印单链表。最后,在 `main` 函数中,我们调用这些函数来操作单链表并输出结果。
阅读全文