Logo

Programming-Idioms

  • Scala
  • Perl

Idiom #308 Integer to string in base b

Create the string representation s of the integer value n in base b.

18 in base 3 -> "200"
26 in base 5 -> "101"
121 in base 12 -> "a1"

sub int_to_base_str {
    my ($n, $b) = @_;
    my $digits = '0123456789abcdefghijklmnopqrstuvwxyz';
    my ($s, $q, $remainder) = ('');

    return '0' if $n == 0;

    use integer;

    while ($n) {
        ($n, $remainder) = ($n / $b, $n % $b), 
        $s = substr($digits, $remainder, 1) . $s;
    }

    return $s
}

A translation of the python implementation. Perl doesn't have a divmod function so we roll out own by calculating the quotient with integer division and the remainder with modulo.
import "strconv"
s := strconv.FormatInt(int64(n), b)

New implementation...
< >
lesmana