Logo

Programming-Idioms

  • Ruby
  • Python
  • Haskell

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.

interweave :: [a] -> [a] -> [a]   -- optional signature
interweave [] ys = ys
interweave xs [] = xs
interweave (x:xs) (y:ys) = x : y : interweave xs ys

main = mapM_ print $ interweave items1 items2

$ is the function application operator of Haskell to eliminate annoying parentheses.

E.g., f $ g x y z == f (g x y z)
mapM_ print . concat 
	$ zipWith (\a b -> [a,b]) items1 items2

the extra elements at the end of the longer list are ignored
items1.zip(items2){|pair| puts pair}

There will be as much pairs as there are items in items1. items2 will be "padded" with nils or trimmed as needed.
from itertools import zip_longest
a, b = iter(items1), iter(items2)
print(*zip_longest(a, b))
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])
for pair in zip(item1, item2): print(pair)

This will print former min(len(item1), item(2)) pairs if len(item1) != len(item2).
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."
(doseq [i (interleave items1 items2)]
  (println i))

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

New implementation...