链表逆序:
反转一个链表,也就是将链表内的元素两两翻转,类似于两数交换。我们常见的swap方法同样也是要用到一个临时变量存储其中一个数的值,以辅助交换。因此总共需要用到三个变量:pre指向当前上一个元素、cur指向当前元素、next指向当前下一个元素。
0.特殊情况判断,如果入参为nullptr,那么无需进行反转直接返回nullptr。
结合下图更好理解。
1.我们将当前指针cur初始化为传入的链表头部,pre、next应该随着cur的移动进行变化(图上以pre和next的箭头比cur的高,表示悬而未决,只有定下cur,pre和next才有意义),我们先初始化为nullptr。
2.我们需要让cur指针遍历整个链表,写一个循环,则退出循环的条件为cur=nullptr(cur处理完5再继续往下走到nullptr,才知道到链表尽头,用next=nullptr退出循环无疑是错误的)
3.进行反转。
首先用next变量存储下cur->next指向的位置(以便cur后移),即next = cur->next;
将cur->next反转过来指向pre指向的位置,即cur->next = pre;
到这里单个节点的反转就完成了。
4.往后移位,继续处理剩下的节点。
首先用pre变量存储下cur的位置(以便后面的节点向前关联),即pre = cur;
cur往后移位,即cur = next;
5.遍历结束,反转结束。
注意:
链表完成反转后,指向头部的是pre而不是cur;
需要检查此时反转后的链表尾部是否指向nullptr,如果不是,令pHead->next = nullptr即可;由于我们第一步就是将pre初始化为nullptr,所以不需要再重新处理尾部。
/*
struct ListNode {
int val;
struct ListNode *next;
ListNode(int x) :
val(x), next(NULL) {
}
};*/
class Solution {
public:
ListNode* ReverseList(ListNode* pHead) {
if (pHead == nullptr)
return nullptr;
ListNode* cur = pHead;
ListNode* next = nullptr;
ListNode* pre = nullptr;
while(cur)
{
next = cur->next;
cur->next = pre;
pre = cur;
cur = next;
}
return pre;
}
};
链表归并:
Node *Merge(Node *head1, Node *head2)
{
if (head1 == NULL)
return head2;
if (head2 == NULL)
return head1;
Node *head, *p1, *p2;
if (head1->data < p2->data)
{
head = head1;
p1 = head1->next;
p2 = head2;
}
else
{
head = head2;
p1 = head1;
p2 = head2->next;
}
Node *cur = head;
while (p1 != NULL && p2 != NULL)
{
if (p1->data <= p2->data)
{
cur->next = p1;
cur = p1;
p1 = p1->next;
}
else
{
cur->next = p2;
cur = p2;
p2 = p2->next;
}
}
if (p1 == NULL)
cur->next = p2;
if (p2 == NULL)
cur->next = p1;
return head;
}