思路:首先找到比大于等于目标值的第一个位置,然后向后遍历,找出小于目标值的数,插入大于等于目标值那个位置的前面即可。
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode* partition(ListNode* head, int x) {
ListNode *dummy=new ListNode(-1);
dummy->next=head;
ListNode *pre=dummy,*cur;
while(pre->next&&pre->next->val<x) pre=pre->next;
cur=pre;
while(cur->next)
{
if(cur->next->val<x)
{
ListNode *tmp=cur->next;
cur->next=tmp->next;
tmp->next=pre->next;
pre->next=tmp;
pre=pre->next;
}
else
{
cur=cur->next;
}
}
return dummy->next;
}
};