[LeetCode] 147. 对链表进行插入排序
题目链接 : https://leetcode-cn.com/problems/insertion-sort-list/
题目描述:
对链表进行插入排序。
插入排序的动画演示如上。从第一个元素开始,该链表可以被认为已经部分排序(用黑色表示)。
每次迭代时,从输入数据中移除一个元素(用红色表示),并原地将其插入到已排好序的链表中。
插入排序算法:
- 插入排序是迭代的,每次只移动一个元素,直到所有元素可以形成一个有序的输出列表。
- 每次迭代中,插入排序只从输入数据中移除一个待排序的元素,找到它在序列中适当的位置,并将其插入。
- 重复直到所有输入数据插入完为止。
思路:
这个道题就像排队,先找个排头dummy
,然后依次从head
节点放入dummy
,只需要依次dummy
现有节点比较,插入其中!
class Solution:
def insertionSortList(self, head: ListNode) -> ListNode:
# 找个排头
dummy = ListNode(-1)
pre = dummy
# 依次拿head节点
cur = head
while cur:
# 把下一次节点保持下来
tmp = cur.next
# 找到插入的位置
while pre.next and pre.next.val < cur.val:
pre = pre.next
# 进行插入操作
cur.next = pre.next
pre.next = cur
pre= dummy
cur = tmp
return dummy.next
java
class Solution {
public ListNode insertionSortList(ListNode head) {
ListNode dummy = new ListNode(0);
ListNode pre = dummy;
ListNode cur = head;
while (cur != null) {
ListNode tmp = cur.next;
while (pre.next != null && pre.next.val < cur.val) pre = pre.next;
cur.next = pre.next;
pre.next = cur;
pre = dummy;
cur = tmp;
}
return dummy.next;
}
}
一看执行时间2000ms
,排名也靠后,不应该啊!看了别人代码,原来是因为我们每次都要从头比较,但是测试集很多都是顺序排列的,没必要从头开始,我们直接比较最后一个tail
,放在后面!
class Solution:
def insertionSortList(self, head: ListNode) -> ListNode:
# 找个排头
dummy = ListNode(float("-inf"))
pre = dummy
tail = dummy
# 依次拿head节点
cur = head
while cur:
if tail.val < cur.val:
tail.next = cur
tail = cur
cur = cur.next
else:
# 把下一次节点保持下来
tmp = cur.next
tail.next = tmp
# 找到插入的位置
while pre.next and pre.next.val < cur.val:
pre = pre.next
# 进行插入操作
cur.next = pre.next
pre.next = cur
pre= dummy
cur = tmp
return dummy.next
java
class Solution {
public ListNode insertionSortList(ListNode head) {
ListNode dummy = new ListNode(Integer.MIN_VALUE);
ListNode pre = dummy;
ListNode tail = dummy;
ListNode cur = head;
while (cur != null) {
if (tail.val < cur.val) {
tail.next = cur;
tail = cur;
cur = cur.next;
} else {
ListNode tmp = cur.next;
tail.next = tmp;
while (pre.next != null && pre.next.val < cur.val) pre = pre.next;
cur.next = pre.next;
pre.next = cur;
pre = dummy;
cur = tmp;
}
}
return dummy.next;
}
}