generator.next()在python3中可见吗?

我有一个生成序列的生成器,例如:

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'

但是,循环迭代器语法在python3中是有效的

for n in triangle_nums():
if not exit_cond:
do_something()...

我还没有找到任何东西来解释Python 3行为上的这种差异。

153301 次浏览

试一试:

next(g)

查看这张整洁的桌子,它显示了2和3之间的语法差异。

g.next()已被重命名为g.__next__()。这样做的原因是一致性:像__init__()__del__()这样的特殊方法都有双下划线(在当前的术语中是“dunder”),而.next()是该规则的少数例外之一。这在Python 3.0中被修复。(*)

但是不要调用g.__next__(),而是使用next(g)

[*]有其他特殊属性得到了修复;func_name,现在是__name__等。

如果你的代码必须在Python2和Python3下运行,可以像这样使用2to3 六个库:

import six


six.next(g)  # on PY2K: 'g.next()' and onPY3K: 'next(g)'