Created
February 5, 2014 19:42
Insertion Sort List
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/* | |
Sort a linked list using insertion sort. | |
*/ | |
/** | |
* Definition for singly-linked list. | |
* public class ListNode { | |
* int val; | |
* ListNode next; | |
* ListNode(int x) { | |
* val = x; | |
* next = null; | |
* } | |
* } | |
*/ | |
public class InsertionSortList { | |
public ListNode insertionSortList(ListNode head) { | |
if (head==null ||head.next==null){ | |
return head; | |
} | |
ListNode preHead=new ListNode (-1); | |
preHead.next=head; | |
ListNode run=head; | |
while (run!=null && run.next!=null){ | |
if (run.val>run.next.val){ | |
// find node which is not in order | |
ListNode smallNode=run.next; | |
ListNode pre=preHead; | |
// find position for smallNode | |
while (pre.next.val<smallNode.val){ | |
pre=pre.next; | |
} | |
ListNode temp=pre.next; | |
pre.next=smallNode; | |
run.next=smallNode.next; | |
smallNode.next=temp; | |
} | |
else{ | |
// node is in order | |
run=run.next; | |
} | |
} | |
return preHead.next; | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment