Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

an alternative insertion Sort to support double linked lists #90

Open
wants to merge 1 commit into
base: master
Choose a base branch
from
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
70 changes: 70 additions & 0 deletions Sorting/Insertion_Sort_Double_Linked_List.c
Original file line number Diff line number Diff line change
@@ -0,0 +1,70 @@
#include <stdio.h>
#include <stdlib.h>

/* InsertionSort for double-linked lists */

typedef struct Node{
int data;
struct Node *next;
struct Node *prev;
}Node;
/* the algorithm */
Node *InsertionSort (Node *myList){
int key;
myList->prev = NULL;
Node *j=NULL;
Node *i=NULL;
Node *temp=myList;
j=myList->next;
while(j!=NULL){
key=j->data;
i=j->prev;
while( i != NULL && i->data > key) {
i->next->data = i ->data;
i=i->prev;
}
if(i!=NULL){
i->next->data=key;
}else{
i=myList;
i->data=key;
}
j=j->next;
}
return temp;
}
/* an example main to test that the algorithm actually runs */
int main(){
int i,val;
Node *head = (Node *)malloc(sizeof(struct Node));
Node *n=head;
Node *tail=n;
Node *temp;
head->prev=NULL;
for (i=0;i<10;i++){
n->next=(Node *) malloc(sizeof(struct Node));
printf("Give 10 values:\n");
scanf("%d",&val);
n->data=val;
n=n->next;
n->prev=tail;
tail=n;
}
n->prev->next=NULL;
temp=head;
printf("before sort: \n");
while(temp!=NULL){
printf(" |%d| ", temp->data);
temp=temp->next;
}
printf("\n");
printf("after sort: \n");
temp=InsertionSort(head);
while(temp!=NULL){
printf(" |%d| ",temp->data);
temp=temp->next;
}
printf("\n");
return 0;
}