链表是一种基础的数据结构, 他可以在常数时间内完成插入删除等操作。 HZNUOJ2141,2142,2145 等都是一些比较基础的链表实现。那么现在考虑这样一个问题,对于一个有头节点的单链表,如何完成其反转?
什么是反转:
如图所示为链表的反转操作。
那么现在请你完成: void ListReverse(List x) 函数, 他能够使带有头节点的链表 x 完成如上图的反转
主体代码:
#include <stdio.h>
#include <stdlib.h>
typedef int ElementType;
typedef struct Node *PtrToNode;
struct Node {
ElementType Data;
PtrToNode Next;
};
typedef struct Node Node;
typedef PtrToNode List;
List read()
{
List head = (List)malloc(sizeof(Node));
head->Next = NULL;
List now = head;
int n;
scanf("%d", &n);
for (int i = 0; i < n; i++)
{
List tmp = (List)malloc(sizeof(Node));
tmp->Next = NULL;
scanf("%d", &tmp->Data);
now->Next = tmp;
now = now->Next;
}
return head;
}
void PrintList(List L)
{
int cot = 0;
List now = L->Next;
while (now)
{
if (cot)printf(" ");
cot++;
printf("%d", now->Data);
now = now->Next;
}
if (!cot)printf("NULL");
printf("\n");
}
void ListReverse(List x); //提交该函数
int main()
{
List L1 = read();
PrintList(L1);
ListReverse(L1);
PrintList(L1);
}
//你的代码会被嵌在这里