leetcode(NOWCODER)---insertion-sort-list
阿新 • • 發佈:2018-12-24
時間限制:1秒 空間限制:32768K 熱度指數:32968
本題知識點: 排序 leetcode
演算法知識視訊講解
題目描述
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 Solution { public ListNode insertionSortList(ListNode head) { //果真是插入排序的思想,每次找到插入點,把節點插入 if(head == null || head.next == null){ return head; } ListNode v = new ListNode(-1);//將以v為頭節點,構造成經過插入排序形成的有序連結串列 ListNode tmp = null; while(head != null){ tmp = v; //每次從前向後遍歷已經排序的連結串列,找到插入位置 while(tmp.next != null && head.val > tmp.next.val){ tmp = tmp.next; } //把當前節點head插入到找到的位置 ListNode headNext = head.next; head.next = tmp.next; tmp.next = head; head = headNext;//head後移一步 } return v.next; } }