1

我一直在研究 Python 中递归定义的列表类,并且在编写reverse()递归函数的方法时遇到了麻烦。这是课程的基础。

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

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

4

2 回答 2

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
于 2012-04-21T23:13:25.097 回答
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
于 2012-04-21T23:14:02.663 回答