對鏈表進行插入排序
阿新 • • 發佈:2018-05-04
移動 排序 數據 ret 自己 ins tlist 所有 列表
題目是leetcode上面的,題目內容如下:
對鏈表進行插入排序。
插入排序的動畫演示如上。從第一個元素開始,該鏈表可以被認為已經部分排序(用黑色表示)。
每次叠代時,從輸入數據中移除一個元素(用紅色表示),並原地將其插入到已排好序的鏈表中。
插入排序算法:
- 插入排序是叠代的,每次只移動一個元素,直到所有元素可以形成一個有序的輸出列表。
- 每次叠代中,插入排序只從輸入數據中移除一個待排序的元素,找到它在序列中適當的位置,並將其插入。
- 重復直到所有輸入數據插入完為止。
示例 1:
輸入: 4->2->1->3 輸出: 1->2->3->4
示例 2:
輸入: -1->5->3->4->0 輸出: -1->0->3->4->5
下面是我的代碼:
1 /** 2 * Definition for singly-linked list. 3 * public class ListNode { 4 * int val; 5 * ListNode next; 6 * ListNode(int x) { val = x; } 7 * } 8 */ 9 class Solution { 10 public ListNode insertionSortList(ListNode head) {11 ArrayList<Integer> arr = new ArrayList<Integer>(); 12 if (head == null) return head; 13 while (head != null) 14 {//將鏈表存在數組中 15 arr.add(head.val); 16 head = head.next; 17 } 18 19 //用插入排序對數組進行排序 20 for (int i = 1; i < arr.size(); i++)21 { 22 for (int j = i; j > 0 && (arr.get(j) < arr.get(j - 1)); j--) 23 { 24 int temp = arr.get(j); 25 arr.set(j, arr.get(j-1)); 26 arr.set(j-1, temp); 27 } 28 } 29 30 //將數組轉換成鏈表 31 ListNode first = new ListNode(arr.get(0)); 32 ListNode temp = first; 33 for (int i = 1; i < arr.size(); i++) 34 { 35 ListNode node = new ListNode(arr.get(i)); 36 temp.next = node; 37 temp = node; 38 } 39 40 return first; 41 } 42 }
雖然有點勝之不武,但是這個方法應該還不錯呢吧,呲牙呲牙。最佩服自己把搞出來的這個把數組轉換成鏈表的方法。
對鏈表進行插入排序