Search code examples
pythonmaya

Way to iterate two items at a time in a list?


I am wondering if there is a better way to iterate two items at a time in a list. I work with Maya a lot, and one of its commands (listConnections) returns a list of alternating values. The list will look like [connectionDestination, connectionSource, connectionDestination, connectionSource]. To do anything with this list, I would ideally like to do something similar to:

for destination, source in cmds.listConnections():
    print source, destination

You could, of course just iterate every other item in the list using [::2] and enumerate and source would be the index+1, but then you have to add in extra checks for odd numbered lists and stuff.

The closest thing I have come up with so far is:

from itertools import izip
connections = cmds.listConnections()
for destination, source in izip(connections[::2], connections[1::2]):
    print source, destination

This isn't super important, as I already have ways of doing what I want. This just seems like one of those things that there should be a better way of doing it.


Solution

  • You can use the following method for grouping items from an iterable, taken from the documentation for zip():

    connections = cmds.listConnections()
    for destination, source in zip(*[iter(connections)]*2):
        print source, destination
    

    Or for a more readable version, use the grouper recipe from the itertools documentation:

    def grouper(n, iterable, fillvalue=None):
        "Collect data into fixed-length chunks or blocks"
        # grouper(3, 'ABCDEFG', 'x') --> ABC DEF Gxx"
        args = [iter(iterable)] * n
        return izip_longest(fillvalue=fillvalue, *args)