题目
给定一个链表,两两交换其中相邻的节点,并返回交换后的链表。
你不能只是单纯的改变节点内部的值,而是需要实际的进行节点交换。
输入:head = [1,2,3,4]
输出:[2,1,4,3]
示例 2:
输入:head = []
输出:[]
示例 3:
输入:head = [1]
输出:[1]
法一:循环
时间O(n),空间O(1)
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode() : val(0), next(nullptr) {}
* ListNode(int x) : val(x), next(nullptr) {}
* ListNode(int x, ListNode *next) : val(x), next(next) {}
* };
*/
class Solution {
public:
ListNode* swapPairs(ListNode* head) {
if(!head||!head->next)return head;
ListNode *p1=head,*p2;
ListNode *front=nullptr,*tmp;
bool first=true;
while(p1&&p1->next){
p2=p1->next;
tmp=p2->next;
p2->next=p1;
p1->next=tmp;
if(front)front->next=p2;
front=p1;
p1=tmp;
if(first){
head=p2;
first=false;
}
}
return head;
}
};
可以用虚拟头节点统一
class Solution {
public:
ListNode* swapPairs(ListNode* head) {
ListNode* dummyHead = new ListNode(0); // 设置一个虚拟头结点
dummyHead->next = head; // 将虚拟头结点指向head,这样方面后面做删除操作
ListNode* cur = dummyHead;
while(cur->next != nullptr && cur->next->next != nullptr) {
ListNode* tmp = cur->next; // 记录临时节点
ListNode* tmp1 = cur->next->next->next; // 记录临时节点
cur->next = cur->next->next; // 步骤一
cur->next->next = tmp; // 步骤二
cur->next->next->next = tmp1; // 步骤三
cur = cur->next->next; // cur移动两位,准备下一轮交换
}
return dummyHead->next;
}
};
法二:递归:
时空O(n)
class Solution {
public:
ListNode* swapPairs(ListNode* head) {
if(!head||!head->next)return head;
ListNode *newhead=head->next;
head->next=swapPairs(newhead->next);
newhead->next=head;
return newhead;
}
};