请不要问我如何让自己陷入这种境地。
假设我有一个名为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
我想你明白了。每个打印应该开始打印同一级别和以下的所有元素。我正在寻找一种递归遍历所有属性的方法(这是一种树状数据结构)
答案 0 :(得分: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
函数的信息,如果您有一个获取父节点的函数,一个没有循环的保证,以及一个保持节点的名称。
答案 1 :(得分: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__
方法。