设计一个算法,通过遍历一趟,将链表中所有结点的链接方向逆转,仍利用原表的存储空间。用c语言实现。
时间: 2024-04-08 21:34:40 浏览: 86
要通过遍历一趟将链表中所有节点的链接方向逆转,可以使用迭代的方法。以下是使用C语言实现的代码示例:
```c
#include <stdio.h>
// 定义链节点结构
struct ListNode {
int val;
struct ListNode* next;
};
// 将链表反转
struct ListNode* reverseList(struct ListNode* head) {
struct ListNode* prev = NULL;
struct ListNode* curr = head;
while (curr != NULL) {
struct ListNode* nextTemp = curr->next;
curr->next = prev;
prev = curr;
curr = nextTemp;
}
return prev;
}
// 创建链表
struct ListNode* createList(int arr[], int n) {
struct ListNode* head = NULL;
struct ListNode* tail = NULL;
for (int i = 0; i < n; i++) {
struct ListNode* newNode = (struct ListNode*)malloc(sizeof(struct ListNode));
newNode->val = arr[i];
newNode->next = NULL;
if (head == NULL) {
head = tail = newNode;
} else {
tail->next = newNode;
tail = newNode;
}
}
return head;
}
// 打印链表
void printList(struct ListNode* head) {
struct ListNode* p = head;
while (p != NULL) {
printf("%d ", p->val);
p = p->next;
}
printf("\n");
}
int main() {
int arr[] = {1, 2, 3, 4, 5};
int n = sizeof(arr) / sizeof(arr[0]);
// 创建链表
struct ListNode* head = createList(arr, n);
printf("原始链表: ");
printList(head);
// 反转链表
struct ListNode* reversedHead = reverseList(head);
printf("反转后的链表: ");
printList(reversedHead);
return 0;
}
```
这段代码会创建一个链表,然后调用`reverseList`函数将链表中所有节点的链接方向逆转,并将结果打印输出。注意,在实现过程中,需要使用动态内存分配来创建新的节点,并在程序结束时释放内存。
阅读全文