对链表进行插入排序。
插入排序的动画演示如上。从第一个元素开始,该链表可以被认为已经部分排序(用黑色表示)。
每次迭代时,从输入数据中移除一个元素(用红色表示),并原地将其插入到已排好序的链表中。
插入排序算法:
- 插入排序是迭代的,每次只移动一个元素,直到所有元素可以形成一个有序的输出列表。
- 每次迭代中,插入排序只从输入数据中移除一个待排序的元素,找到它在序列中适当的位置,并将其插入。
- 重复直到所有输入数据插入完为止。
示例 1:
输入: 4->2->1->3 输出: 1->2->3->4
示例 2:
输入: -1->5->3->4->0 输出: -1->0->3->4->5
class Solution {
public:
ListNode* insertionSortList(ListNode* head)
{
if(!head||!head->next)
{
return head;
}
ListNode* newhead=new ListNode(-1);//常用技巧,新建头结点
newhead->next=head;
ListNode* pre=newhead;//这个指针的目的是每一次找插入的位置都要从头结点开始遍历
ListNode* current=head;//这个指针是当前我们需要操作的节点前一个节点
while(current)
{
if(current->next!=NULL&¤t->val>current->next->val)//若当前节点大于下一个节点,需要找位置移动插入了
{
while(pre->next!=NULL&&pre->next->val<current->next->val)
{
pre=pre->next; //遍历找到要插入的位置
}
ListNode* temp=pre->next; //为什么不是current呢,因为不一定要插入的位置正好是current的前面,但一定插入在pre的后面
pre->next=current->next;
current->next=current->next->next;
pre->next->next=temp;
pre=newhead;
}
else
{
current=current->next;
}
}
return newhead->next;
}
};