Problem
Sort a linked list using insertion sort.
A graphical example of insertion sort. The partial sorted list (black) initially contains only the first element in the list.
With each iteration one element (red) is removed from the input data and inserted in-place into the sorted list
Algorithm of Insertion Sort:
- Insertion sort iterates, consuming one input element each repetition, and growing a sorted output list.
- At each iteration, insertion sort removes one element from the input data, finds the location it belongs within the sorted list, and inserts it there.
- It repeats until no input elements remain.
Example 1:
1 | Input: 4->2->1->3 |
Example 2:
1 | Input: -1->5->3->4->0 |
Analysis
这是一道链表的选择排序。这里也再一次给出了选择排序的思路:有一个原链表,有一个新的链表(其实是一个新的head),从原来的链表中,每次拿第一个元素出来,然后放到新链表中合适的位置,最后返回新的链表头即可。
实际上每个节点的空间都是复用原来的就可以了,所以不需要额外的空间,但是因为有一个新的头,为了方便起见,在前面的题解中我也提到过,可以使用一个dummy节点作为头节点,便于把处理的代码统一起来。
Solution
算法部分没有特别难的地方,按照选择排序的一般做法即可,小心处理好指针的指向。
Code
1 | /** |
Summary
这道题目本身的coding难度不大,但我认为更重要的意义在于,通过对比在数组和链表中进行选择排序,我们可以知道两种数据结构的特点。链表便于插入的特点在选择排序中体现的非常明显。这道题目的分享到这里,谢谢!