给一个链表,两两交换其中的节点,然后返回交换后的链表。
您在真实的面试中是否遇到过这个题?
Yes
样例
给出 1->2->3->4, 你应该返回的链表是 2->1->4->3。
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
/**
* @param head a ListNode
* @return a ListNode
*/
ListNode* swapPairs(ListNode* head) {
// Write your code here
ListNode * myhead=new ListNode();
ListNode * q=myhead;
ListNode * p=head;
ListNode * temp=head;
while(p!=NULL&&p->next!=NULL){
p=p->next->next;
q->next=temp->next;
q->next->next=temp;
temp->next=p;
q=temp;
temp=p;
}
if(p==NULL)
{
return myhead->next;
}
else{
q->next=p;
return myhead->next;
}
}
};