用C语言写一算法对单链表实现就地逆置,代码必须编写单链表,完成代码中体现出单链表的插入,逆置等操作,输入一些数,直到输入文件结束为止,输出共一行表示,逆置后单链表中的元素
时间: 2024-09-22 20:05:35 浏览: 49
在C语言中,我们可以使用迭代的方式来实现单链表的就地逆置。首先,我们需要定义链表节点结构体,并创建一个头指针指向链表的开始。下面是完整的代码示例:
```c
#include <stdio.h>
#include <stdlib.h>
// 定义链表节点结构
typedef struct Node {
int data;
struct Node* next;
} Node;
// 插入节点到链表
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 reverseList(Node** head) {
Node* prev = NULL;
Node* current = *head;
Node* nextTemp = NULL;
while (current != NULL) {
nextTemp = current->next;
current->next = prev;
prev = current;
current = nextTemp;
}
*head = prev; // 更新新的头指针
}
// 打印链表
void printList(Node* head) {
while (head != NULL) {
printf("%d ", head->data);
head = head->next;
}
printf("\n");
}
int main() {
Node* head = NULL;
char input;
// 读取输入并插入数字到链表
while ((input = getchar()) != EOF) {
if (input == '\n') continue; // 跳过换行符
insert(&head, input - '0'); // 输入的是ASCII码,转换为整数
}
// 逆置链表
reverseList(&head);
// 输出逆置后的链表
printList(head);
return 0;
}
```
在这个代码中,我们首先通过`insert`函数向链表中添加数字,然后通过`reverseList`函数逆置链表,最后`printList`函数用于打印链表内容。
阅读全文