7.两两交换链表中的节点(LeetCode24)

问题描述 :
给定一个链表,两两交换其中相邻的节点,并返回交换后的链表。
你不能只是单纯的改变节点内部的值,而是需要实际的进行节点交换。

可使用以下代码,完成其中的swapPairs函数,其中形参head指向无头结点单链表,返回结果链表的头指针。

#include<iostream>
#include<vector>
using namespace std;

struct ListNode
{
    
    
    int val;
    ListNode *next;
    ListNode() : val(0), next(NULL) {
    
    }
    ListNode(int x) : val(x), next(NULL) {
    
    }
};

class Solution {
    
    

public:
    ListNode* swapPairs(ListNode* head) {
    
    
		
    }
};

ListNode *createByTail()
{
    
    
    ListNode *head;
    ListNode *p1,*p2;
    int n=0,num;
    int len;
    cin>>len;
    head=NULL;
    while(n<len && cin>>num)
    {
    
    
        p1=new ListNode(num);
        n=n+1;
        if(n==1)
            head=p1;
        else
            p2->next=p1;
        p2=p1;
    }
    return head;
}

void displayLink(ListNode *head)
{
    
    
    ListNode *p;
    p=head;
    cout<<"head-->";
    while(p!= NULL)
    {
    
    
        cout<<p->val<<"-->";
        p=p->next;
    }
    cout<<"tail\n";
}

int main()
{
    
    
    ListNode* head = createByTail();
	head=Solution().swapPairs(head);
    displayLink(head);
    return 0;
}

输入说明 :
首先输入链表长度len,然后输入len个整数,以空格分隔。

输出说明 :
输出格式见范例

输入范例 :
4
1 2 3 4

输出范例 :
head–>2–>1–>4–>3–>tail

思路:
每次交换两个节点
first->next = second->next;
second->next = first
preNode记录first的前驱,preNode->next = second

class Solution {
    
    

public:
    ListNode* swapPairs(ListNode* head) {
    
    
		ListNode temp_head(-1);
		temp_head.next = head;
		ListNode *first,*second,*pre;
		pre = &temp_head;
		while(head && head->next) {
    
    
			first = head;
			second = head->next;
			
			//交换两个节点
			pre->next = second;
			first->next = second->next;
			second->next = first;
			
			pre = first;
			head = first->next;
		}
		return temp_head.next;
	}

猜你喜欢

转载自blog.csdn.net/qq_37924213/article/details/108555038