Logo

Programming-Idioms

  • Fortran
  • JS
  • Rust
  • Erlang
  • Perl

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.

@a = qw (1 12 42);
print join(", ",@a),"\n";
  integer, dimension(:), allocatable :: a
  a = [1,12,42]
  write (*,'(*(I0:", "))') a

Looking at the format string: I0 means an integer of minimum width, the colon with the means output what follows if there are more items. The asterisk repeat the following brackets until all I/O has been exhausted.
let s = a.reduce((x, y) => `${x}, ${y}`)
console.debug(s)
let s = a.join(', ')
console.debug(s)
let a = [1, 12, 42];
println!("{}", a.map(|i| i.to_string()).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