2

请不要问我是如何让自己陷入这种境地的。可以说我有一个名为ccollection.

此类在运行时具有以下属性:

ccollection.a.b.x = 1
ccollection.a.b.y = 3
ccollection.a.b.z = 4
...
ccollection.a.c = 3
ccollection.b = 3

此类将如上所述动态设置。所以没有办法事先知道类中的属性。

现在我想打印这个类中的所有属性,例如:

ccollection.a.b应该打印

ccollection.a.b.x = 1
ccollection.a.b.y = 3
ccollection.a.b.z = 4

并且 ccollection.a应该打印

ccollection.a.b.x = 1
ccollection.a.b.y = 3
ccollection.a.b.z = 4
ccollection.a.c = 3

我想你应该已经明白了。每次打印都应该开始打印同一级别及以下的所有元素。我正在寻找一种递归遍历所有属性的方法(这是一种树状数据结构)

4

2 回答 2

1

这种情况确实需要重构。您正在使用未设计为容器的对象。取而代之的是,使用一个容器,例如 dict 或从 dict 继承的类。


如果您必须使用当前设置,我同意Blckknght的观点,最有希望的方法似乎是使用 dir。

class CCollection(object):
  def get_children_strings(self):
    list_of_strings = []
    for attr_name in dir(self):
      if attr_name not in dir(CCollection()):
        attr = getattr(self, attr_name)
        if hasattr(attr, 'get_children_strings'):
          list_of_strings.extend(["." + attr_name + child_string for child_string in attr.get_children_strings()])
        else:
          list_of_strings.append("." + attr_name + " = " + str(attr))
    return list_of_strings

  def print_tree(self, prefix):
    print [prefix + s for s in self.get_children_strings()]

那么你就可以

m = CCollection()
m.a = CCollection()
m.a.b = CCollection()
m.a.b.x = 1
m.a.b.y = 2
m.a.c = 3
m.d = 4

m.print_tree("m")
m.a.print_tree("m.a")
m.a.b.print_tree("m.a.b")

并获得输出:

>>> m.print_tree("m")
['m.a.b.x = 1', 'm.a.b.y = 2', 'm.a.c = 3', 'm.d = 4']
>>> m.a.print_tree("m.a")
['m.a.b.x = 1', 'm.a.b.y = 2', 'm.a.c = 3']
>>> m.a.b.print_tree("m.a.b")
['m.a.b.x = 1', 'm.a.b.y = 2']

为了更进一步,您可能希望使用具有树遍历函数的类。如果您有一个获取父节点的函数、没有循环的保证以及一个保存节点名称的类变量,您可以自动生成当前通过函数的prefix参数传入的信息。print_tree

于 2013-07-10T18:37:41.613 回答
0

看起来您想要一个具有属性访问权限的树状结构。这可以通过子类dict化然后设置适当的来完成,__getattr____setattr__获得您想要的访问 api,同时获得您想要的打印。

还可以使用覆盖__str__来使其完全按照您希望的方式打印。

编辑:

为了快速描述这一点,我会让它看起来像这样。

class DictTree( object ):
    _children = {}

    def __getattr__( self, name ):
        if not name in self._children:
            self._children[name] = DictTree()
        return self._children[name]

    def __setattr__( self, name, v ):
        self._children[name] = v

上面的作品提供了你想要的访问和 API 接口,但是在打印它时我得到了一个RuntimeError: maximum recursion depth exceeded ,因为它是如何__getattr__工作的。如果你调整上面的代码没有这个问题,那么它应该得到你想要的。修复涉及__str__方法。

于 2012-11-14T15:52:25.683 回答