我有一个生成系列的生成器,例如:
def triangle_nums(): '''Generates a series of triangle numbers''' tn = 0 counter = 1 while True: tn += counter yield tn counter += + 1
在 Python 2 中,我可以进行以下调用:
g = triangle_nums() # get the generator g.next() # get the next value
但是在 Python 3 中,如果我执行相同的两行代码,则会收到以下错误:
AttributeError: 'generator' object has no attribute 'next'
但是,循环迭代器语法在 Python 3 中确实有效
for n in triangle_nums(): if not exit_cond: do_something()...
我还没有找到任何东西来解释 Python 3 的这种行为差异。
g.next()已重命名为g.__next__(). 这样做的原因是一致性:像__init__()and __del__()all 这样的特殊方法都有双下划线(在当前的白话中是“dunder”),并且.next()是该规则的少数例外之一。这已在 Python 3.0 中修复。[*]
g.next()
g.__next__()
__init__()
__del__()
.next()
但不要调用g.__next__(),而是使用next(g).
next(g)
[*] 还有其他特殊属性得到了这个修复;func_name, 现在__name__,等等
func_name
__name__