diff options
author | Tim Peters <tim.peters@gmail.com> | 2001-05-05 11:33:43 (GMT) |
---|---|---|
committer | Tim Peters <tim.peters@gmail.com> | 2001-05-05 11:33:43 (GMT) |
commit | 75f8e35ef41aa6e7c915d99de8bd40be2745955c (patch) | |
tree | cbc72fb0979618f4b31f151d73d7b3bf775fd263 /Objects/abstract.c | |
parent | 1434299a991edcb3a2bf604dc139719b2cca5490 (diff) | |
download | cpython-75f8e35ef41aa6e7c915d99de8bd40be2745955c.zip cpython-75f8e35ef41aa6e7c915d99de8bd40be2745955c.tar.gz cpython-75f8e35ef41aa6e7c915d99de8bd40be2745955c.tar.bz2 |
Generalize PySequence_Count() (operator.countOf) to work with iterators.
Diffstat (limited to 'Objects/abstract.c')
-rw-r--r-- | Objects/abstract.c | 44 |
1 files changed, 31 insertions, 13 deletions
diff --git a/Objects/abstract.c b/Objects/abstract.c index a0a40e8..21c1ef1 100644 --- a/Objects/abstract.c +++ b/Objects/abstract.c @@ -1333,34 +1333,52 @@ PySequence_Fast(PyObject *v, const char *m) return v; } +/* Return # of times o appears in s. */ int PySequence_Count(PyObject *s, PyObject *o) { - int l, i, n, cmp, err; - PyObject *item; + int n; /* running count of o hits */ + PyObject *it; /* iter(s) */ if (s == NULL || o == NULL) { null_error(); return -1; } - - l = PySequence_Size(s); - if (l < 0) + + it = PyObject_GetIter(s); + if (it == NULL) { + type_error(".count() requires iterable argument"); return -1; + } n = 0; - for (i = 0; i < l; i++) { - item = PySequence_GetItem(s, i); - if (item == NULL) - return -1; - err = PyObject_Cmp(item, o, &cmp); + for (;;) { + int cmp; + PyObject *item = PyIter_Next(it); + if (item == NULL) { + if (PyErr_Occurred()) + goto Fail; + break; + } + cmp = PyObject_RichCompareBool(o, item, Py_EQ); Py_DECREF(item); - if (err < 0) - return err; - if (cmp == 0) + if (cmp < 0) + goto Fail; + if (cmp > 0) { + if (n == INT_MAX) { + PyErr_SetString(PyExc_OverflowError, + "count exceeds C int size"); + goto Fail; + } n++; + } } + Py_DECREF(it); return n; + +Fail: + Py_DECREF(it); + return -1; } /* Return -1 if error; 1 if v in w; 0 if v not in w. */ |