我的问题是:
我想添加一个在运行时里面创建的Composite类Leaf对象 像这样的复合例程:
def update(self, tp, msg, stt):
"""It updates composite objects
"""
d = Leaf()
d.setDict(tp, msg, stt)
self.append_child(d)
return self.status()
内部主要:
import lib.composite
c = Composite()
for i in range(0,10):
c.update(str(i), msg, stt)
和Composite是:
class Composite(Component):
def __init__(self, *args, **kw):
super(Composite, self).__init__()
self.children = []
def append_child(self, child):
self.children.append(child)
def update(self, tp, msg, stt):
d = Leaf()
d.setDict(tp, msg, stt)
self.append_child(d)
return self.status()
def status(self):
for child in self.children:
ret = child.status()
if type(child) == Leaf:
p_out("Leaf: %s has value %s" % (child, ret))
class Component(object):
def __init__(self, *args, **kw):
if type(self) == Component:
raise NotImplementedError("Component couldn't be "
"instantiated directly")
def status(self, *args, **kw):
raise NotImplementedError("Status method "
"must be implemented")
class Leaf(Component):
def __init__(self):
super(Leaf, self).__init__()
self._dict = {}
def setDict(self, type, key, value)
self._dict = { type : { key : value } }
def status(self):
return self._dict
但是通过这种方式,我总是发现我的复合材料只添加了一片叶子(“d”),即使这样 更新被多次调用。
如何编写这样的例程,以便能够在运行时填充复合词?
答案 0 :(得分:3)
“但是通过这种方式,我发现即使多次调用更新,我的复合材料也只添加了一个叶子(”d“)。”
不,该代码使Composite有十个孩子。
>>> c.children
[<__main__.Leaf object at 0xb7da77ec>, <__main__.Leaf object at 0xb7da780c>,
<__main__.Leaf object at 0xb7da788c>, <__main__.Leaf object at 0xb7da78ac>,
<__main__.Leaf object at 0xb7da78cc>, <__main__.Leaf object at 0xb7da792c>,
<__main__.Leaf object at 0xb7da794c>, <__main__.Leaf object at 0xb7da798c>,
<__main__.Leaf object at 0xb7da79ac>, <__main__.Leaf object at 0xb7da79cc>]
所以为什么你认为只有一个是奇怪的。
答案 1 :(得分:1)
append_child正在做什么?我认为它应该将叶子存储在列表中。是吗?
更新:你不应该在主函数中传递self作为第一个参数。我认为这引起了例外。
请参阅下面似乎正常运行的代码
class Component(object): def __init__(self, *args, **kw): pass def setDict(self, *args, **kw): pass class Leaf(Component): def __init__(self, *args, **kw): Component.__init__(self, *args, **kw) class Composite(Component): def __init__(self, *args, **kw): Component.__init__(self, *args, **kw) self.children = [] def update(self, tp, msg, stt): """It updates composite objects """ d = Leaf() d.setDict(tp, msg, stt) self.append_child(d) return 0 def append_child(self, child): self.children.append(child) def remove_child(self, child): self.children.remove(child) c =Composite() for i in range(0,10): c.update(str(i), "", 0) print len(c.children)