Logo

Programming-Idioms

This language bar is your friend. Select your favorite languages!
  • Python

Idiom #143 Iterate alternatively over two lists

Iterate alternatively over the elements of the lists items1 and items2. For each iteration, print the element.

Explain what happens if items1 and items2 have different size.

from itertools import zip_longest
print(*zip_longest(items1, items2))

"... If the iterables are of uneven length, missing values are filled-in with fillvalue. If not specified, fillvalue defaults to None."
from itertools import zip_longest
a, b = iter(items1), iter(items2)
print(*zip_longest(a, b))
for pair in zip(item1, item2): print(pair)

This will print former min(len(item1), item(2)) pairs if len(item1) != len(item2).
a, b = len(items1), len(items2)
for i in range(max(a, b)):
    if i < a: print(items1[i])
    if i < b: print(items2[i])
(doseq [i (interleave items1 items2)]
  (println i))

interleave can receive any number of items, but truncates when any of them is exhausted

New implementation...