递归定义的列表类的反向方法

时间:2012-04-21 22:53:04

标签: python list recursion reverse

我一直在使用Python中递归定义的列表类,我在编写reverse()方法以递归函数时遇到问题。这是课程的基础。

class RecList:
  def __init__(self):
    self._head = None
    self._rest = None

基本情况是self._head,是列表中的第一个条目,后跟递归情况,本质上是另一个包含其自己的self._head的列表,然后以递归方式定义。这一直持续到self._headself._rest = None的底层。是否有一种简单的方法可以为这样定义的列表编写反向方法?

2 个答案:

答案 0 :(得分:0)

试试这个:

class RecList:
  def __init__(self, head=None, rest=None):
    self._head = head
    self._rest = rest
  def __str__(self):
    if self._rest is None:
        return str(self._head)
    return str(self._head) + ' ' + self._rest.__str__()
  def reverse(self):
    return self._reverse_aux(None)
  def _reverse_aux(self, acc):
    if self._rest is None:
        return RecList(self._head, acc)
    return self._rest._reverse_aux(RecList(self._head, acc))

lst = RecList(1, RecList(2, RecList(3, None)))
print lst
> 1 2 3
print lst.reverse()
> 3 2 1

答案 1 :(得分:0)

class RecList:
  def __init__(self, head, tail):
    self.head = head
    self.tail = tail

def foldr(f, acc, xs):
    head = xs.head
    tail = xs.tail

    if tail:
        return foldr(f, f(head, acc), tail)
    else:
        return f(head, acc)

testList = RecList(1, RecList(2, RecList(3, None)))
test = foldr(lambda x, a: RecList(x, a), RecList(None, None), testList)

print test.head
print test.tail.head