8

我对字符串表示有疑问。我正在尝试打印我的对象,有时我会在输出中得到单引号。请帮助我理解为什么会发生这种情况以及如何打印出不带引号的对象。

这是我的代码:

class Tree:
    def __init__(self, value, *children):
        self.value = value
        self.children = list(children)
        self.marker = ""

    def __repr__(self):
        if len(self.children) == 0:
            return '%s' %self.value
        else:
            childrenStr = ' '.join(map(repr, self.children))
            return '(%s %s)' % (self.value, childrenStr)

这是我所做的:

from Tree import Tree
t = Tree('X', Tree('Y','y'), Tree('Z', 'z'))
print t

这是我得到的:

(X (Y 'y') (Z 'z'))

这是我想要得到的:

(X (Y y) (Z z))

为什么引号出现在终端节点的值周围,而不是非终端的值周围?

4

1 回答 1

15

repr在字符串上给出引号而str没有。例如:

>>> s = 'foo'
>>> print str(s)
foo
>>> print repr(s)
'foo'

尝试:

def __repr__(self):
    if len(self.children) == 0:
        return '%s' %self.value
    else:
        childrenStr = ' '.join(map(str, self.children))  #str, not repr!
        return '(%s %s)' % (self.value, childrenStr)

反而。

于 2013-06-18T14:47:54.253 回答