在不增加额外空间的且保证时间复杂度的情况下,将链表反转
#include<stdio.h>
#include<malloc.h>
typedef struct node
{
int data;
node *next;
}Lnode,*Link_list;
Link_list insert(Link_list nd,int data)
{
Link_list tmp=(Link_list)malloc(sizeof(Lnode));
tmp->data=data;
tmp->next=nd;
nd=tmp;
return nd;
}
void print_list(Link_list head)
{
Link_list tmp=head;
while(tmp!=NULL)
{
printf("%d ",tmp->data);
tmp=tmp->next;
}
printf("\n");
}
Link_list reverse(Link_list list)
{
Link_list head=list;
if(head==NULL||head->next==NULL) return head;
Link_list tmp=head->next,pre=head,next;
pre->next=NULL;//如果没有这一句,那么就会出错,想想为什么
while(tmp!=NULL)
{
next=tmp->next;
tmp->next=pre;
pre=tmp;
tmp=next;
}
return pre;
}
int main()
{
int i;
Link_list head=NULL;
for(i=1;i<=10;i++)
head=insert(head,i);
printf("链表反转前:\n");
print_list(head);
printf("原链表翻转后:\n");
head=reverse(head);
print_list(head);
return 0;
}
输出结果如下: