赞
踩
题目描述:
给你一个链表,两两交换其中相邻的节点,并返回交换后链表的头节点。你必须在不修改节点内部的值的情况下完成本题(即,只能进行节点交换)。
示例1:
输入:head = [1,2,3,4]
输出:[2,1,4,3]
示例2:
输入:head = []
输出:[]
示例3:
输入:head = [1]
输出:[1]
思路1:
!!!这两种被背下来就好了!!!
模拟的方式,充分利用python的赋值语法:
def swapPairs(self, head: ListNode) -> ListNode:
result = ListNode()
pre, pre.next = result, head
while pre.next and pre.next.next:
a = pre.next
b = a.next
a.next, b.next, pre.next = b.next, a, b
pre = a
return result.next
此时需要注意result的确定很巧妙,背下来就行了。
思路2:
递归
class Solution:
def swapPairs(self, head: ListNode) -> ListNode:
if not head or not head.next:
return head
newHead = head.next
head.next = self.swapPairs(newHead.next)
newHead.next = head
return newHead
这个递归是比较好理解的,首先是递归出口,然后交换两个相邻结点,head.next就是其newhead.next的交换完的结果(这里需要递归),然后newHead.next = head,然后返回后面部分的头结点。
递归的时间复杂度是O(n),空间复杂度也是O(n),空间复杂度有由递归深度确定。
迭代模拟的方式,时间复杂度是O(n),空间复杂度是O(1)。
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。