Insertion sort on linked list
Title description: Insertion sort on a linked list.
The animation of insertion sort is shown above. Starting from the first element, the linked list can be considered partially sorted (indicated in black).
At each iteration, an element (shown in red) is removed from the input data and inserted into the sorted linked list in place.Insertion sort algorithm:
- Insertion sort is iterative, moving only one element at a time, until all elements can form an ordered output list.
- In each iteration, insertion sort removes only one element to be sorted from the input data, finds its proper position in the sequence, and inserts it.
- Repeat until all input data is inserted.
For example descriptions, please refer to the official website of LeetCode.
Source: LeetCode
Link: https://leetcode-cn.com/problems/insertion-sort-list/
The copyright belongs to Lingkou Network. For commercial reprints, please contact the official authorization, and for non-commercial reprints, please indicate the source.
Solution 1: Linked List Traversal
- First of all, if the linked list is empty or the linked list has only one node, it does not need to be sorted and returns directly.
- Otherwise, use the insertion sort method to put the nodes in the linked list into a List nodes;
- Then, reconstruct a new linked list in the order of nodes, which is the sorted linked list, and return it.
import com.kaesar.leetcode.ListNode;
import java.util.ArrayList;
import java.util.List;
public class LeetCode_147 {
public static ListNode insertionSortList(ListNode head) {
// 如果链表为空或者链表只有一个节点,则不用排序,直接返回
if (head == null || head.next == null) {
return head;
}
List<ListNode> nodes = new ArrayList<>();
nodes.add(head);
ListNode cur = head.next;
while (cur != null) {
int i = nodes.size() - 1;
for (; i >= 0; i--) {
if (nodes.get(i).val < cur.val) {
break;
}
}
nodes.add(i + 1, cur);
cur = cur.next;
}
ListNode newHead = nodes.get(0);
cur = newHead;
for (int i = 1; i < nodes.size(); i++) {
cur.next = nodes.get(i);
cur = cur.next;
}
cur.next = null;
return newHead;
}
public static void main(String[] args) {
ListNode head = new ListNode(4);
head.next = new ListNode(2);
head.next.next = new ListNode(1);
head.next.next.next = new ListNode(3);
System.out.println("排序之前");
ListNode cur = head;
while (cur != null) {
System.out.print(cur.val + " ");
cur = cur.next;
}
System.out.println();
System.out.println("排序之后");
ListNode newHead = insertionSortList(head);
cur = newHead;
while (cur != null) {
System.out.print(cur.val + " ");
cur = cur.next;
}
}
}
[Daily Message] I am afraid that everyone's life trajectory is predetermined in advance, but you have to work hard and believe that your destiny is in your own hands. People are not afraid of having ideals, and they are not afraid of how high or far the ideal is, as long as you stick to it , do not overestimate yourself, you will always succeed.
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。