个人技术分享

LeetCode24

给你一个链表,两两交换其中相邻的节点,并返回交换后链表的头节点。你必须在不修改节点内部的值的情况下完成本题(即,只能进行节点交换)。

示例 1:

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

示例 2:

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

示例 3:

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

提示:

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

思路分析: 这道题和前一道有一些类似的地方,但更复杂。如果能够画图描述指针的交换的话会更加清晰。此处使用一个递归方法来实现。

代码:

class Solution:
    def swapPairs(self, head:Optional[ListNode]) -> Optional[ListNode]:
        if head is None or head.next is None:
            return head

        # 待翻转的两个node分别是pre和cur
        pre = head
        cur = head.next
        next = head.next.next

        cur.next = pre # 交换
        pre.next = self.swapPairs(next) # 将以next为head的后续链表两两交换
        
        return cur