class Node:
def __init__(self, value):
self._value = value
self._children = []
def __repr__(self):
return 'Node({!r})'.format(self._value)
def add_child(self, node):
self._children.append(node)
def __iter__(self):
return iter(self._children)
def depth_first(self):
yield self
for c in self:
yield from c.depth_first()
if __name__ == '__main__':
root = Node(0)
child1 = Node(1)
child2 = Node(2)
root.add_child(child1)
root.add_child(child2)
child1.add_child(Node(3))
child1.add_child(Node(4))
child2.add_child(Node(5))
for a in root.depth_first():
print(a)
# Outputs Node(0), Node(1), Node(3), Node(4), Node(2), Node(5)
リストは私たちが反復処理できるオブジェクトだと思ったのですが、どうしてiter()
を使うのですか?私はpythonで新しいので、私にはこのように奇妙な外観。iter()を使ってリストを反復可能にするのはなぜですか?
'iter'はリストを反復可能にしません。反復子を返します。 –