Merged revisions 75928 via svnmerge from
[python/dscho.git] / Doc / c-api / iter.rst
blobba7e9e3a18ad0429d9d2e7981a987db3f88a1dae
1 .. highlightlang:: c
3 .. _iterator:
5 Iterator Protocol
6 =================
8 There are only a couple of functions specifically for working with iterators.
10 .. cfunction:: int PyIter_Check(PyObject *o)
12    Return true if the object *o* supports the iterator protocol.
15 .. cfunction:: PyObject* PyIter_Next(PyObject *o)
17    Return the next value from the iteration *o*.  If the object is an iterator,
18    this retrieves the next value from the iteration, and returns *NULL* with no
19    exception set if there are no remaining items.  If the object is not an
20    iterator, :exc:`TypeError` is raised, or if there is an error in retrieving the
21    item, returns *NULL* and passes along the exception.
23 To write a loop which iterates over an iterator, the C code should look
24 something like this::
26    PyObject *iterator = PyObject_GetIter(obj);
27    PyObject *item;
29    if (iterator == NULL) {
30        /* propagate error */
31    }
33    while (item = PyIter_Next(iterator)) {
34        /* do something with item */
35        ...
36        /* release reference when done */
37        Py_DECREF(item);
38    }
40    Py_DECREF(iterator);
42    if (PyErr_Occurred()) {
43        /* propagate error */
44    }
45    else {
46        /* continue doing useful work */
47    }