Logo

Programming-Idioms

  • Java
  • C#

Idiom #294 Print a comma-separated list of integers

Given an array a containing the three values 1, 12, 42, print out
"1, 12, 42" with a comma and a space after each integer except the last one.

Console.Write(string.Join(", ", a));
import static java.lang.System.out;
import static java.util.stream.IntStream.of;
String s = of(a)
    .mapToObj(String::valueOf)
    .reduce((x, y) -> x + ", " + y)
    .get();
out.println(s);
import static java.lang.System.out;
import static java.util.stream.Collectors.joining;
import static java.util.stream.IntStream.of
String s = of(a)
    .mapToObj(String::valueOf)
    .collect(joining(", "));
out.println(s);
import static java.lang.System.out;
out.print(a[0]);
int i = 1, n = a.length;
while (i < n) out.print(", " + a[i++]);
with Ada.Text_IO;
declare
   A : array (1 .. 3) of Integer := (1, 12, 42);
begin
   for I in A'Range loop
      Ada.Text_IO.Put (A (I)'Image);
      if I /= A'Last then
         Ada.Text_IO.Put (", ");
      end if;
   end loop;
end;

New implementation...
< >
tkoenig