编写代码,以给定值x为基准将链表分割成两部分,所有小于x的结点排在大于或等于x的结点之前
给定一个链表的头指针 ListNode* pHead,请返回重新排列后的链表的头指针。注意:分割以后保持原来的数据顺序不变。
定义两个链表,一个放大的,一个放小的,最后链接起来。
/*
struct ListNode {
int val;
struct ListNode *next;
ListNode(int x) : val(x), next(NULL) {}
};*/
class Partition {
public:
ListNode* partition(ListNode* pHead, int x) {
ListNode head1(0);
ListNode head2(0);
ListNode *HEAD1=&head1;
ListNode *HEAD2=&head2;
while(pHead)
{
if(x<=pHead->val)
{
HEAD2->next=pHead;
HEAD2=HEAD2->next;
}
else
{
HEAD1->next=pHead;
HEAD1=HEAD1->next;
}
pHead=pHead->next;
}
HEAD2->next=nullptr;
HEAD1->next=head2.next;
return head1.next;
}
};