写一个C语言静态链表程序,完成放入a~f(输出),A~b间插入x(输出),删除b(输出).
时间: 2024-10-14 17:13:22 浏览: 17
在C语言中,我们可以创建一个简单的静态链表来实现这个功能。这里是一个基础的静态链表结构,包括节点和相关的操作函数:
```c
#include <stdio.h>
#include <stdlib.h>
// 链表节点结构体
typedef struct Node {
char data;
struct Node* next;
} Node;
// 创建一个新的节点
Node* createNode(char data) {
Node* newNode = (Node*)malloc(sizeof(Node));
newNode->data = data;
newNode->next = NULL;
return newNode;
}
// 插入节点到链表前部
void insertAtStart(Node** headRef, char data) {
Node* newNode = createNode(data);
newNode->next = *headRef;
*headRef = newNode;
}
// 打印链表
void printList(Node* node) {
while (node != NULL) {
printf("%c ", node->data);
node = node->next;
}
printf("\n");
}
// 删除特定节点
Node* deleteNode(Node** headRef, char key) {
if (*headRef == NULL || (*headRef)->data != key)
return *headRef;
Node* temp = *headRef;
*headRef = (*headRef)->next;
free(temp);
return *headRef;
}
int main() {
// 初始化链表
Node* head = NULL;
// 插入a~f
for (char ch = 'a'; ch <= 'f'; ++ch) {
insertAtStart(&head, ch);
printList(head); // 输出插入后的链表
}
// 插入x在A~b之间
insertAtStart(&head, 'X');
insertAtStart(&head, 'A'); // 移动'X'到'A'之前
printList(head);
// 删除'b'
head = deleteNode(&head, 'b');
printList(head);
return 0;
}
```
当你运行这个程序,它会按照描述的操作步骤依次完成:首先插入字符'a'到'f',然后在'A'和'b'之间插入'X',最后删除字符'b'并打印结果。
阅读全文