方法一:在头节点新建一个节点,cur指向该节点m将之后两个节点交换,然后重新确定cur,最后返回新建节点的next(改变head值可以减少代码的复杂度,整个流程可以理解的更清楚)
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution
{
public:
ListNode* swapPairs(ListNode* head)
{
ListNode* dummy=new ListNode(0);
dummy->next=head;
ListNode* cur=dummy;
while(head&&head->next)
{
ListNode* firstNode=head;
ListNode* secondNode=head->next;
cur->next=secondNode;
firstNode->next=secondNode->next;
secondNode->next=firstNode;
cur=firstNode;
head=firstNode->next;
}
return dummy->next;
}
};
方法二:递归
class Solution
{
public:
ListNode* swapPairs(ListNode* head)
{
if(!head||!head->next) return head;
ListNode* p=head->next;
ListNode* temp=p->next;
p->next=head;
head->next=swapPairs(temp);
return p;
}
};