目录
题目:
举例:
解题思路:
总代码:
图解:
题目:
现有一链表的头指针 ListNode* pHead,给一定值x,编写一段代码将所有小于x的结点排在其余结点之前,且不能改变原来的数据顺序,返回重新排列后的链表的头指针。
假如列表为且x为4
那么排序后为:
解题思路:我们设定两个链表,第一个链表存放小于x的数,第二个链表存放大于等于x的数,并为其分别创立一个哨兵位结点
struct ListNode* lesshead,*bighead;
lesshead=(struct ListNode*)malloc(sizeof(struct ListNode));
bighead=(struct ListNode*)malloc(sizeof(struct ListNode));
我们遍历链表后,结果为
那么我们只需要将,lesshead的最后的3,指向bighead->next,就是3指向4,然后返回lesshead->next即可;
所以我们就需要创建遍历列表的cur,以及链接尾部的lesstail和bigtail;
struct ListNode* lesshead,*bighead,*lesstail,*bigtail;
lesshead=(struct ListNode*)malloc(sizeof(struct ListNode));
bighead=(struct ListNode*)malloc(sizeof(struct ListNode));
lesstail=lesshead;
bigtail=bighead;
struct ListNode* cur=pHead;
然后就是实现存放的步骤,这里先给出总代码,下面我将画图详解
总代码:class Partition {
public:
ListNode* partition(ListNode* pHead, int x) {
if(pHead==NULL)
{
return NULL;
}
struct ListNode* lesshead,*bighead,*lesstail,*bigtail;
lesshead=(struct ListNode*)malloc(sizeof(struct ListNode));
bighead=(struct ListNode*)malloc(sizeof(struct ListNode));
lesstail=lesshead;
bigtail=bighead;
struct ListNode* cur=pHead;
while(cur)
{
if(cur->valnext=cur;
lesstail=lesstail->next;
}
else
{
bigtail->next=cur;
bigtail=bigtail->next;
}
cur=cur->next;
}
lesstail->next=bighead->next;
bigtail->next=NULL;
pHead=lesshead->next;
free(lesshead);
free(bighead);
return pHead;
}
};
图解:
第一步:1小于4,我们将lesshead的哨兵位结点,就是此时lesstail处的next指向cur,然后lesstail再向前进一步,然后cur向后
第二步:同理
第三步:同理
第四步同理
第五步:此时cur处的val不小于4,所以要将bigtail的next链接到cur,然后cur向后,bigtail也向后
第六步
第七部:
第八步
第九步:此刻cur为空,循环结束,我们只需要将lesstail->next指向bighead->next即可(注意是bighead->next,因为lesshead和bighead我们都创立了哨兵位,如果lesstail直接指向bighead,那么就是指向了bighead的哨兵位),然后free掉lesshead和bighead的哨兵位,返回pHead,(其实不free也可以,保持良好习惯)
上面介绍的是一般情况,还有一种特殊情况
如果我们数组的最后一位在lesshead里面倒数第二位在bighead里面。
因为我们的lesstai是指向bigtail的next处,此时就形成了死循环,所以我们需要将bigtail的next置空。
欢迎分享,转载请注明来源:内存溢出
评论列表(0条)