1.问题描述
用插入排序对链表排序
样例
Given 1->3->2->0->null
, return 0->1->2->3->null
2.解题思路
将某一个元素依次与前面排好序的元素相比,找到合适的位置,返回之前位置的下一个继续操作。
3.代码实现
/**
* Definition of ListNode
* class ListNode {
* public:
* int val;
* ListNode *next;
* ListNode(int val) {
* this->val = val;
* this->next = NULL;
* }
* };
*/
class Solution {
public:
/**
* @param head: The first node of linked list.
* @return: The head of linked list.
*/
ListNode *insertionSortList(ListNode *head) {
// write your code here
ListNode*p=new ListNode(0);
while(head!=NULL)
{
ListNode*n=p;
while(n->next!=NULL&&n->next->val<head->val){
n=n->next;
}
ListNode*t=head->next;
head->next=n->next;
n->next=head;
head=t;
}
return p->next;
}
};
4.感想
注意算法的设计和操作中判断后的程序操作。