/************************************************************************/
/* @auhthor lynnbest
目標:單連結串列的排序(升序)
exp:
input:3,5,8,6,2,1
output:1,2,3,5,6,8
*/
/************************************************************************/
#include <stdio.h>
#include <stdlib.h>
typedef struct node
{
int data;
struct node *next;
}listnode; //注意C++中struct 是可以單獨宣告型別的。和C不一樣
void InsertListNode(listnode *head,int pos,int data,int len);
void printflist(listnode *head);
void SortSingleList(listnode *head);
int main()
{
printf(" 單連結串列的排序 \n");
printf("----by lynnbest ----\n\n");
int a[]={3,5,8,6,2,1,11,45,16};
int len=sizeof(a)/sizeof(a[0]);
listnode *head=(listnode *)malloc(sizeof(listnode));
if(NULL==head)
{
printf("頭結點建立失敗\n");
exit(-1);
}
head->next=NULL;
for(int i=0;i<len;i++)
InsertListNode(head,i+1,a[i],len);
printf("排序之前的單連結串列元素為:\n");
printflist(head);
SortSingleList(head);
printf("排序之後的單連結串列元素為:\n");
printflist(head);
return 0;
}
void InsertListNode(listnode *head,int pos,int data,int len) //插入函式
{
listnode *pre=head,*newnode;
if(pos<1||pos>(len+1))
{
printf("插入位置error\n");
exit(-1);
}
for(int i=1;i<pos;i++) //從1號位置開始計算
pre=pre->next;
if(NULL==(newnode=(listnode *)malloc(sizeof(listnode))))
{
printf("新節點建立失敗\n");
exit(-1);
}
newnode->data=data;
newnode->next=NULL;
newnode->next=pre->next;
pre->next=newnode;
}
void printflist(listnode *head)//列印函式
{
listnode *p=head->next;
while(p!=NULL)
{
printf("%3d",p->data);
p=p->next;
}
printf("\n");
}
/************************************************************************/
/* 思路:
將待排序的節點在已經排序號的連結串列中尋找插入位置(前驅位置),然後就是插入,
和準備下一次的環境
*/
/************************************************************************/
void SortSingleList(listnode *head)
{
listnode *pre=head,*p=pre->next,*q,*r; //pre指向head,p指向第一個元素
q=p->next; //q指向待比較節點
p->next=NULL; //第一個節點next截止 NULL
while(q!=NULL)
{
while(pre->next!=NULL && q->data>pre->next->data)//查詢插入點的前驅節點
pre=pre->next;
r=q->next; //儲存待比較的下一個節點
q->next=pre->next;
pre->next=q; //插入節點
pre=head; //恢復pre的head
q=r; //q指向下一個待比較節點
}
}