力扣24. 两两交换链表中的节点

两两交换链表中的节点题目

思路

首先给原单链表加上一个无意义的头结点,可以统一单链表为空时的处理。
两两结点进行交换,用头结点做辅助,即三个结点看做一组。
处理过程是三个步骤,首先将cur指针指向head。
初始状态为:

1
2
3
4
cur
head

第一步,将1指向3。这会丢失2结点,因此需要用temp结点暂存2。

1
2
3
4
cur
head
temp

第二步,将2指回1。

1
2
3
4
cur
head
temp

第三步,将cur指向2。

1
2
3
4
cur
head

最后,使用cur进行遍历

1
2
3
4
head
cur

代码

class Solution {
public:
    ListNode* swapPairs(ListNode* head) {
        ListNode* newhead = new ListNode(0, head);   // 新头结点
        ListNode* cur = newhead;
        while (cur->next != nullptr && cur->next->next != nullptr) {
            ListNode* temp = cur->next->next;	// 暂存“2号”结点

			// 上述三个步骤
            cur->next->next = temp->next;
            temp->next = cur->next;
            cur->next = temp;

            cur = cur->next->next;
        }
        return newhead->next;
    }
};

你可能感兴趣的:(算法题解,链表,leetcode,算法)