在Python 3中是否可以看到generator.next()?


246

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

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行为差异的信息。

Answers:


405

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

但是请不要g.__next__()使用next(g)

[*]还有其他特殊属性可以解决此问题;func_name,现在__name__等等。


知道为什么python 2首先避开这些方法的dunder约定吗?
瑞克(Rick)

那可能只是一个疏忽。
Lennart Regebro '16

当您在类中覆盖__ str __怎么办?它会更改str(obj)或__str __(obj)吗?
NoName

@NoName没有这样的东西__str__(obj),所以我不太明白这个问题。
Lennart Regebro,

1
@NoName是的,您知道。
Lennart Regebro

143

尝试:

next(g)

查看这个整洁的表,其中显示了2和3之间的语法差异。


1
@MaikuMori我修复了链接(等待同行修订)(站点diveintopython3.org似乎已关闭。镜像站点diveintopython3.ep.io仍然存在)
gecco 2012年

1
再次修复了链接。顺便说一句,python3porting.com / differences.html更完整。
Lennart Regebro

从方法到功能的转换是否有任何合理的理由,g.next()实际上应该超出此范围g.__next__(),并且我们需要一种功能不是dunder方法的东西g.next()
TC Proctor

10

如果您的代码必须在Python2和Python3下运行,请使用2to3 六个库,如下所示:

import six

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

18
除非您需要支持2.6之前的Python版本,否则不需要太多。Python 2.6和2.7具有next内置功能。
Mark Dickinson
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.