Insertion sort list
Sort a linked list using insertion sort.
Example 1:
1 2
| Input: 4->2->1->3 Output: 1->2->3->4
|
Example 2:
1 2
| Input: -1->5->3->4->0 Output: -1->0->3->4->5
|
分析题意
相比于原来数组的插入排序而言,该问题困难在对于链表的插入排序,需要利用多个指针保持对链表的访问。思路是:对于basic case,链表为null或只有单个元素,那么链表有序。否则,要先越过链表前部已有序的序列,然后遇到第一个逆序,那么需要利用多个指针将该逆序调整,小数插入到后面合适的位置。而这个合适的位置需要通过从dummyNode向前遍历完成,需要注意的就是前面和后面两个地方的指针修改,谨慎操作。
代码实现
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34
|
class Solution { public ListNode insertionSortList(ListNode head) { if (head == null || head.next == null) return head; ListNode dummyNode = new ListNode(0); dummyNode.next = head;
while (head != null && head.next != null) { if (head.val <= head.next.val) head = head.next; else { ListNode temp = head.next; head.next = temp.next;
ListNode cur = dummyNode; while (cur.next.val <= temp.val) { cur = cur.next; } temp.next = cur.next; cur.next = temp; } } return dummyNode.next; } }
|