来源:力扣(LeetCode)
链接:​​https://leetcode-cn.com/problems/swap-nodes-in-pairs​​​


给定一个链表,两两交换其中相邻的节点,并返回交换后的链表。

你不能只是单纯的改变节点内部的值,而是需要实际的进行节点交换。



示例 1:

leetcode 24 - 两两交换链表中的节点_链表 image.png

输入:head = [1,2,3,4]
输出:[2,1,4,3]
示例 2:

输入:head = []
输出:[]
示例 3:

输入:head = [1]
输出:[1]


提示:

链表中节点的数目在范围 [0, 100] 内
0 <= Node.val <= 100

思路

这种题目的意思就是交换,首先按照步骤来,首先1和2的两个节点互换,这时候注意,2的next是要给1节点的,这就完成了一个互换;

然后2的节点的next就是3与4互换之后的结果,就这样依次继续,这种有点类似于无限循环的做法最合适使用递归的方式。

题解

class Solution {
public ListNode swapPairs(ListNode head) {
if (head == null || head.next == null) {
return head;
}
ListNode newHead = head.next;
head.next = swapPairs(newHead.next);
newHead.next = head;
return newHead;
}
}