码迷,mamicode.com
首页 > 其他好文 > 详细

Reverse Linked List

时间:2016-04-15 00:19:35      阅读:140      评论:0      收藏:0      [点我收藏+]

标签:

本题是反转一个单链表,题目提示使用迭代和递归两种方式,属于比较基础的题目。

一,迭代方式:总体思路是从左到右遍历链表结点,依次反转连接关系。每次处理相邻的两个结点,从<None,head>这一对开始。代码如下:

class Solution(object):
    def reverseList(self, head):
        """
        :type head: ListNode
        :rtype: ListNode
        """
        prev=None
        while head:
            next = head.next
            head.next=prev
            prev = head
            head = next
        return prev

代码中prev为每次结点对的先序结点,当head为None时,prev为目前链表的末结点,所以返回prev.

二,递归方式:思路为通过递归先找到序列的末结点,然后在一个一个结束递归调用的过程中从末结点开始反转连接关系,代码如下:

 

class Solution(object):
    def reverseList(self, head):
        """
        :type head: ListNode
        :rtype: ListNode
        """
        if not head:
            return None
        return self.helper(head)  # the function‘s last return value must point to the last node of the original list.
        
    def helper(self,head):
        if not head.next:
            return head   #find the last node of the original list
        p = head.next
        head.next = None
        newnode = self.helper(p)
        p.next = head 
        return newnode

当p为原链表最后一个结点时,结束函数入栈,开始弹出,而newcode一直指向最后一个结点,方便最终主函数的返回。值得注意的是,head.next=None,这个连接的重置,主要是为了重置原链表头结点的指向,将这一句去掉之后,会发现返回的链表的末结点依旧有指向,显然不对。

时间复杂度为O(n),最大函数压栈次数n,所以空间复杂度也是O(n).

Reverse Linked List

标签:

原文地址:http://www.cnblogs.com/sherylwang/p/5393439.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!