data:image/s3,"s3://crabby-images/a1b54/a1b54f45108c36642c508c3df64b480ee2ae8fc8" alt="在这里插入图片描述"
class Solution:
def reverseList(self, head: ListNode) -> ListNode:
if not head : return None
if not head.next: return head
pre = head
cur = head.next
pre.next = None
while cur:
nextnode = cur.next
cur.next = pre
pre = cur
cur = nextnode
return pre
看了下参考链接:【反转链表】:双指针,递归,妖魔化的双指针 data:image/s3,"s3://crabby-images/10998/10998a003ad3c98dda35693a51c33793930de281" alt="在这里插入图片描述" 可以将前面的情况合并写:
class Solution:
def reverseList(self, head: ListNode) -> ListNode:
cur = head
pre = None
while cur:
nextnode = cur.next
cur.next = pre
pre = cur
cur = nextnode
return pre
class Solution:
def reverseList(self, head: ListNode) -> ListNode:
if not head or not head.next : return head
res = self.reverseList(head.next)
head.next.next = head
head.next = None
return res
根据代码写的具体过程: data:image/s3,"s3://crabby-images/b0fc2/b0fc297ec126e539569cac000ca30ad91d858514" alt="在这里插入图片描述"
|