286

I have a generator that generates a series, for example:

def triangle_nums():
    '''Generates a series of triangle numbers'''
    tn = 0
    counter = 1
    while True:
        tn += counter
        yield tn
        counter += + 1

In Python 2 I am able to make the following calls:

g = triangle_nums()  # get the generator
g.next()             # get the next value

however in Python 3 if I execute the same two lines of code I get the following error:

AttributeError: 'generator' object has no attribute 'next'

but, the loop iterator syntax does work in Python 3

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

I haven't been able to find anything yet that explains this difference in behavior for Python 3.

Boris Verkhovskiy
  • 14,854
  • 11
  • 100
  • 103
jottos
  • 20,098
  • 9
  • 30
  • 27

3 Answers3

472

g.next() has been renamed to g.__next__(). The reason for this is consistency: special methods like __init__() and __del__() all have double underscores (or "dunder" in the current vernacular), and .next() was one of the few exceptions to that rule. This was fixed in Python 3.0. [*]

But instead of calling g.__next__(), use next(g).

[*] There are other special attributes that have gotten this fix; func_name, is now __name__, etc.

Boris Verkhovskiy
  • 14,854
  • 11
  • 100
  • 103
Lennart Regebro
  • 167,292
  • 41
  • 224
  • 251
157

Try:

next(g)

Check out this neat table that shows the differences in syntax between 2 and 3 when it comes to this.

Lennart Regebro
  • 167,292
  • 41
  • 224
  • 251
Paolo Bergantino
  • 480,997
  • 81
  • 517
  • 436
  • 1
    @MaikuMori I fixed the link (waiting for peer revision) (The site http://diveintopython3.org seems to be down. Mirror site http://diveintopython3.ep.io is still alive) – gecco Jan 05 '12 at 20:59
  • 1
    Fixed the link again. http://python3porting.com/differences.html is more complete, btw. – Lennart Regebro Jul 27 '13 at 03:53
  • Is there any justification for the switch from a method to a function, beyond `g.next()` should really be `g.__next__()`, and we need to have something that isn't a dunder method with the functionality of `g.next()`? – T.C. Proctor Dec 17 '19 at 23:25
  • Works for the error ` 'generator' object has no attribute 'next' `. – Yugendran Apr 13 '21 at 11:51
12

If your code must run under Python2 and Python3, use the 2to3 six library like this:

import six

six.next(g)  # on PY2K: 'g.next()' and onPY3K: 'next(g)'
danius
  • 2,664
  • 27
  • 33
  • 18
    There's not much need for this unless you need to support Python versions earlier than 2.6. Python 2.6 and 2.7 have the `next` built-in function. – Mark Dickinson Sep 17 '15 at 17:15