LeetCode刷题笔记(链表):swap-nodes-in-pairs



[toc]

题目描述

Given a linked list, swap every two adjacent nodes and return its head.

For example,
Given1->2->3->4, you should return the list as2->1->4->3.

Your algorithm should use only constant space. You may not modify the values in the list, only nodes itself can be changed.

解题思路

通过这么多次的编程练习,链表的顺序交换我相信大家早已轻车熟路。本题中,我们先写一个交换相邻结点的函数swap,此函数交换输入的两个相邻链表结点之后,返回新的第一结点。然后我们开始考虑主函数,同样的新建一个指向头结点的指针(只要头结点有可能被替换,我们既需要这么做),然后遍历整个链表调用交换函数swap即可。

C++版代码实现

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode *swap(ListNode *slow, ListNode *fast){
slow->next = fast->next;
fast->next = slow;
return fast;
}

ListNode *swapPairs(ListNode *head) {
if(head == NULL || head->next == NULL)
return head;
ListNode *dummy = new ListNode(0);
dummy->next = head;
ListNode *cur = dummy;
for(;cur->next != NULL && cur->next->next != NULL; cur = cur->next->next)
cur->next = swap(cur->next, cur->next->next);
return dummy->next;
}
};

系列教程持续发布中,欢迎订阅、关注、收藏、评论、点赞哦~~( ̄▽ ̄~)~

完的汪(∪。∪)。。。zzz

0%