c语言完整代码实现任务: 初始化链式存储线性表,插入样本数据,遍历并打印所有数据,从第一个数字开始逐个删除并打印、直到表空c语言
时间: 2024-09-25 11:19:41 浏览: 32
在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; // 或者你可以选择其他初始值,比如0或-1,表示链表为空
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("\n");
}
// 删除第一个元素并打印
void deleteAndPrint(Node** head) {
if (*head == NULL) {
printf("List is already empty.\n");
return;
}
int removedValue = (*head)->data;
Node* temp = *head;
*head = (*head)->next;
free(temp); // 释放已删除节点的内存
printf("Deleted value: %d\n", removedValue);
printList(*head); // 打印剩余链表
}
int main() {
// 初始化链表
Node* listHead = createList();
// 插入样例数据
insert(&listHead, 10);
insert(&listHead, 20);
insert(&listHead, 30);
// 打印链表
printf("Initial list:\n");
printList(listHead);
// 删除并打印数据
for (int i = 0; i < 3; i++) {
deleteAndPrint(&listHead);
}
return 0;
}
```
在这个程序中,我们首先创建了一个链表并插入了一些数据。然后,我们依次删除并打印每个节点的数据,直到链表变为空。
阅读全文