Logo

Programming-Idioms

  • Python
  • Smalltalk
  • C#
  • D

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.

import std.range;
import std.algorithm.iteration;
import std.stdio;
roundRobin(items1, items2).each!writeln;
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])
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).
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."
stream1 := items1 readStream.
stream2 := items2 readStream.
[stream1 atEnd ifFalse: [Transcript showln: stream1 next].
 stream2 atEnd ifFalse: [Transcript showln: stream2 next]]
	doWhileFalse: [stream1 atEnd or: [stream2 atEnd]].
items1 with: items2 do: [:item1 :item2 |
  Transcript 
	showln: item1;
	showln: item2].

If the collections have different size, this will raise an exception before the iteration starts.
using System.Collections.Generic;
using System.Math;
for(int i = 0; i < Math.Max(items1.Count, items2.Count); i++)
{
  if (i < items1.Count) Console.WriteLine(items1[i]);
  if (i < items2.Count) Console.WriteLine(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...