Logo

Programming-Idioms

  • Pascal
  • Dart
  • Python

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.

from functools import reduce
f = lambda x, y: f'{x}, {y}'
print(reduce(f, a))
print(', '.join(map(str, a)))
a = [1, 12, 42]
print(*a, sep=', ')
print(a[0], end='')
for x in a[1:]:
    print(',', x, end='')
var
  a: array of integer;
  i: Integer;
begin
  a := [1,12,42];
  for i := Low(a) to High(a) do
  begin
    write(a[i]);
    if i <> High(a) then write(', ');
  end;
end.
print(a.join(", "));
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