c语言完整代码,初始化链式存储线性表,插入样本数据,遍历并打印所有数据,逐个删除并打印、直到表空。
时间: 2024-09-25 22:18:12 浏览: 37
在C语言中,我们可以使用结构体和指针来创建一个简单的单向链表。下面是一个完整的示例代码,包含初始化、插入、遍历、删除以及打印链表的操作:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构体
typedef struct Node {
int data;
struct Node* next;
} Node;
// 初始化链表
Node* createList() {
Node* head = (Node*)malloc(sizeof(Node));
if (!head) {
printf("Memory allocation failed.\n");
return NULL;
}
head->data = 0;
head->next = NULL;
return head;
}
// 插入元素到链表
void insert(Node** head, int value) {
Node* newNode = (Node*)malloc(sizeof(Node));
if (!newNode) {
printf("Memory allocation failed.\n");
return;
}
newNode->data = value;
newNode->next = *head;
*head = newNode;
}
// 遍历并打印链表
void printList(Node* head) {
while (head != NULL) {
printf("%d -> ", head->data);
head = head->next;
}
printf("NULL\n");
}
// 删除并打印链表元素
void deleteAndPrint(Node** head) {
Node* temp;
while (*head != NULL) {
temp = *head;
printf("%d -> ", temp->data);
*head = (*head)->next; // 更新头指针
free(temp); // 释放已删除节点的内存
}
printf("NULL\n");
}
int main() {
Node* listHead = createList();
// 插入样例数据
insert(&listHead, 5);
insert(&listHead, 10);
insert(&listHead, 15);
// 打印初始链表
printf("Initial List:\n");
printList(listHead);
// 删除并打印元素
deleteAndPrint(&listHead);
return 0;
}
```
在这个例子中,我们首先创建一个头部节点,然后通过`insert`函数添加数据。`printList`函数用于遍历并打印整个链表,而`deleteAndPrint`函数则会遍历链表并删除每个元素,同时打印出删除后的状态。
阅读全文