Google Groups no longer supports new Usenet posts or subscriptions. Historical content remains viewable.
Dismiss

iterating "by twos"

22 views
Skip to first unread message

kj

unread,
Jul 29, 2008, 1:36:11 PM7/29/08
to


Is there a special pythonic idiom for iterating over a list (or
tuple) two elements at a time?

I mean, other than

for i in range(0, len(a), 2):
frobnicate(a[i], a[i+1])

?

I think I once saw something like

for (x, y) in forgotten_expression_using(a):
frobnicate(x, y)

Or maybe I just dreamt it! :)

Thanks!
--
NOTE: In my address everything before the first period is backwards;
and the last period, and everything after it, should be discarded.

George Trojan

unread,
Jul 29, 2008, 1:58:05 PM7/29/08
to
kj wrote:
> Is there a special pythonic idiom for iterating over a list (or
> tuple) two elements at a time?
>
> I mean, other than
>
> for i in range(0, len(a), 2):
> frobnicate(a[i], a[i+1])
>
> ?
>
> I think I once saw something like
>
> for (x, y) in forgotten_expression_using(a):
> frobnicate(x, y)
>
> Or maybe I just dreamt it! :)
>
> Thanks!
I saw the same thing, forgot where though. But I put it in my library.
Here it is:

# x.py
import itertools

def pairs(seq):
is1 = itertools.islice(iter(seq), 0, None, 2)
is2 = itertools.islice(iter(seq), 1, None, 2)
return itertools.izip(is1, is2)

s = range(9)
for x, y in pairs(s):
print x, y

dilbert@trojan> python x.py
0 1
2 3
4 5
6 7

bearoph...@lycos.com

unread,
Jul 29, 2008, 2:04:13 PM7/29/08
to
Something like this may be fast enough:

>>> from itertools import izip
>>> xpartition = lambda seq, n=2: izip(*(iter(seq),) * n)
>>> xprimes = (x for x in xrange(2, 100) if all(x % i for i in xrange(2, x)))
>>> list(xpartition(xprimes))
[(2, 3), (5, 7), (11, 13), (17, 19), (23, 29), (31, 37), (41, 43),
(47, 53), (59, 61), (67, 71), (73, 79), (83, 89)]

Bye,
bearophile

gil...@gmail.com

unread,
Jul 29, 2008, 2:36:20 PM7/29/08
to
On Jul 29, 1:36 pm, kj <so...@987jk.com.invalid> wrote:
> Is there a special pythonic idiom for iterating over a list (or
> tuple) two elements at a time?

I use this one a lot:

for x, y in zip(a, a[1:]):
frob(x, y)

Geoff G-T

william tanksley

unread,
Jul 29, 2008, 3:42:07 PM7/29/08
to
kj <so...@987jk.com.invalid> wrote:
> Is there a special pythonic idiom for iterating over a list (or
> tuple) two elements at a time?

I don't know of one, and I shouldn't be answering, but the following
should work:

def gulp_two(items):
for i,j in zip(items[0::2], items[1::2]):
yield (i,j)

Let's see...
>>> list(gulp_two(range(10)))
[(0, 1), (2, 3), (4, 5), (6, 7), (8, 9)]

Okay, it works.

-Wm

gil...@gmail.com

unread,
Jul 29, 2008, 3:42:19 PM7/29/08
to

Whoops, I misread the original post. That would be:

for x, y in zip(a[::2], a[1::2]):
frob(x, y)

... which I don't use a lot.

>>> a = range(9)


>>> for x, y in zip(a, a[1:]):

... print x, y
...
0 1
1 2
2 3
3 4
4 5
5 6
6 7
7 8
>>> for x, y in zip(a[::2], a[1::2]):
... print x, y
...


0 1
2 3
4 5
6 7

Geoff G-T

Erik Max Francis

unread,
Jul 29, 2008, 4:11:57 PM7/29/08
to
gil...@gmail.com wrote:

It doesn't work:

>>> a = range(10)
>>> [(x, y) for x, y in zip(a, a[1:])]
[(0, 1), (1, 2), (2, 3), (3, 4), (4, 5), (5, 6), (6, 7), (7, 8), (8, 9)]

What you meant was this:

>>> [(x, y) for x, y in zip(a[::2], a[1::2])]


[(0, 1), (2, 3), (4, 5), (6, 7), (8, 9)]

but this creates three sublists through slicing and zip. The use of
islice and izip is better, particularly if the list that's being
iterated over is large.

--
Erik Max Francis && m...@alcyone.com && http://www.alcyone.com/max/
San Jose, CA, USA && 37 18 N 121 57 W && AIM, Y!M erikmaxfrancis
Tell me the truth / I'll take it like a man
-- Chante Moore

Erik Max Francis

unread,
Jul 29, 2008, 4:12:48 PM7/29/08
to
gil...@gmail.com wrote:

> Whoops, I misread the original post. That would be:
>
> for x, y in zip(a[::2], a[1::2]):
> frob(x, y)
>
> ... which I don't use a lot.

Sorry, posted before I saw your reply. Still, you're building three
sublists in order to just iterate over them.

kj

unread,
Jul 29, 2008, 4:22:16 PM7/29/08
to

Thanks for all the replies. I learned a lot!

kynn

Terry Reedy

unread,
Jul 29, 2008, 4:38:53 PM7/29/08
to pytho...@python.org

kj wrote:

> Is there a special pythonic idiom for iterating over a list (or
> tuple) two elements at a time?
>
> I mean, other than
>
> for i in range(0, len(a), 2):
> frobnicate(a[i], a[i+1])

There have been requests to add a grouper function to itertools, but its
author has resisted because there are at least three things one might do
with the short remainder group left over when the group size does not
evenly divide the sequence size: drop it, return it, or fill it to the
requested groupsize with a dummy value and then return it. Here is a
version of the first alternative.

def grouper(iterable,n):
'''Return items from iterable in groups of n.
This version drops incomplete groups.
Python 3.0'''

it=iter(iterable)
ranger = range(n)
while True:
ret = []
for i in ranger:
ret.append(next(it))
yield ret

for pair in grouper(range(11),2):
print(pair)

[0, 1]
[2, 3]
[4, 5]
[6, 7]
[8, 9]
>>>

kj

unread,
Jul 29, 2008, 5:37:43 PM7/29/08
to

>kj wrote:

>> Is there a special pythonic idiom for iterating over a list (or
>> tuple) two elements at a time?
>>
>> I mean, other than
>>
>> for i in range(0, len(a), 2):
>> frobnicate(a[i], a[i+1])

>There have been requests to add a grouper function to itertools, but its
>author has resisted because there are at least three things one might do
>with the short remainder group left over when the group size does not
>evenly divide the sequence size: drop it, return it, or fill it to the
>requested groupsize with a dummy value and then return it.

Why not make this choice a third argument to the grouper function?

Kynn

Daniel da Silva

unread,
Jul 30, 2008, 1:08:26 AM7/30/08
to pytho...@python.org
The following method is similar to the others provided, but yields an
index value as well (similar to the enumerate(iterable) function).
This is useful in some (but not all) situations.

If the iterable object's iterator returns an even number of items then
you're fine; otherwise it will throw away the last item because it
doesn't have a full pair to return.

-------------------------
import itertools

def enumeratePairs(x):
it = iter(x)

for i in itertools.count():
p = it.next()
q = it.next()
yield i, (p,q)

raise StopIteration
--------------------------
>>> for v in enumeratePairs("hello i am daniel"):
... print v
...
(0, ('h', 'e'))
(1, ('l', 'l'))
(2, ('o', ' '))
(3, ('i', ' '))
(4, ('a', 'm'))
(5, (' ', 'd'))
(6, ('a', 'n'))
(7, ('i', 'e'))
-------------------------------

> --
> http://mail.python.org/mailman/listinfo/python-list
>

gil...@gmail.com

unread,
Jul 30, 2008, 10:00:27 AM7/30/08
to
On Jul 29, 4:11 pm, Erik Max Francis <m...@alcyone.com> wrote:

> gil...@gmail.com wrote:
> > for x, y in zip(a, a[1:]):
> >     frob(x, y)
>
> What you meant was this:
>
>  >>> [(x, y) for x, y in zip(a[::2], a[1::2])]
> [(0, 1), (2, 3), (4, 5), (6, 7), (8, 9)]
>
> but this creates three sublists through slicing and zip.  The use of
> islice and izip is better, particularly if the list that's being
> iterated over is large.

The lists I use it with are generally pretty small (a few
thousand items at most) so I decided to go with simple rather than
clever. That said, I use it enough that it should become its own
function, at which point I'll probably grab something from this
thread.

Cheers,
Geoff G-T

shahm...@gmail.com

unread,
Aug 7, 2008, 11:06:12 AM8/7/08
to

This avoids unnecessary copies of the slice approaches, it does,
however, not include the tail values if the length of iterable isn't
evenly divisible by 'size'.

def groups(iterable, size=2):
return itertools.izip(*[iter(iterable)]*size)

print list(groups(xrange(5)))

[(0, 1), (1, 2), (3, 4)]

--Shahms

castironpi

unread,
Aug 7, 2008, 2:05:03 PM8/7/08
to
On Jul 29, 3:38 pm, Terry Reedy <tjre...@udel.edu> wrote:
> kj wrote:
> > Is there a special pythonic idiom for iterating over a list (or
> > tuple) two elements at a time?
>
> > I mean, other than
>
> > for i in range(0, len(a), 2):
> >     frobnicate(a[i], a[i+1])
>
> There have been requests to add a grouper function to itertools, but its
> author has resisted because there are at least three things one might do
> with the short remainder group left over when the group size does not
> evenly divide the sequence size: drop it, return it, or fill it to the
> requested groupsize with a dummy value and then return it.

We note that three distinct methods of the mapping type protocol
support default, -or this if not found-, argument passing.

a.get(k[, x]) a[k] if k in a, else x (4)
a.setdefault(k[, x]) a[k] if k in a, else x (also setting it) (5)
a.pop(k[, x]) a[k] if k in a, else x (and remove k) (8)

You can knock off two of them with a default value:

itertools.igroup( iterable, groupsize[, dummy] )

Observe this overlap from the string type.

find( sub[, start[, end]])
Return the lowest index in the string where substring sub is
found, ...
-1 if sub is not found.
index( sub[, start[, end]])
Like find(), but raise ValueError when the substring is not
found.

Include two grouper functions, one that drops (or fills if 'dummy'
provided), one that returns (or fills if 'dummy' provided).

Or, include two grouper functions, one that drops (or fills), one that
raises ValueError exception, including the partial group as an
attribute of the exception.

If filling with 'None' is your concern, just use a special flag:

_special= object( )
iterb= itertools.grouper( itera, 2, _special )

0 new messages