用C语言将一个链表反转排列,即将链头当链尾,链尾当链头,从键盘输入数值,编写程序
时间: 2024-04-21 12:23:04 浏览: 170
你可以使用以下的C语言代码来实现将链表反转排列,即将链表的头节点变为尾节点,尾节点变为头节点。
```c
#include <stdio.h>
#include <stdlib.h>
// 定义单链表节点
struct Node {
int data;
struct Node* next;
};
// 反转链表函数
struct Node* reverseLinkedList(struct Node* head) {
struct Node* prev = NULL;
struct Node* curr = head;
struct Node* next = NULL;
while (curr != NULL) {
next = curr->next;
curr->next = prev;
prev = curr;
curr = next;
}
return prev;
}
// 打印链表函数
void printLinkedList(struct Node* head) {
struct Node* curr = head;
while (curr != NULL) {
printf("%d ", curr->data);
curr = curr->next;
}
printf("\n");
}
// 主函数
int main() {
struct Node* head = NULL;
struct Node* newNode = NULL;
struct Node* temp = NULL;
int n;
// 输入链表元素个数
printf("请输入链表元素个数:");
scanf("%d", &n);
// 输入链表元素
for (int i = 0; i < n; i++) {
newNode = (struct Node*)malloc(sizeof(struct Node));
printf("请输入第 %d 个元素:", i+1);
scanf("%d", &newNode->data);
newNode->next = NULL;
if (head == NULL) {
head = newNode;
temp = newNode;
} else {
temp->next = newNode;
temp = newNode;
}
}
// 反转链表
head = reverseLinkedList(head);
// 打印反转后的链表
printf("反转后的链表元素为:");
printLinkedList(head);
return 0;
}
```
你可以按照提示输入链表的元素个数和每个元素的值,然后程序会将链表反转,并打印反转后的链表元素。
阅读全文