2021-01-04 14:48:51 +01:00
|
|
|
module strconv
|
|
|
|
|
|
|
|
const base_digits = '0123456789abcdefghijklmnopqrstuvwxyz'
|
|
|
|
|
|
|
|
// format_int returns the string representation of the number n in base `radix`
|
|
|
|
// for digit values > 10, this function uses the small latin leters a-z.
|
2021-05-24 04:20:45 +02:00
|
|
|
[manualfree]
|
2021-01-04 14:48:51 +01:00
|
|
|
pub fn format_int(n i64, radix int) string {
|
2021-06-18 16:59:56 +02:00
|
|
|
unsafe {
|
2021-05-24 04:20:45 +02:00
|
|
|
if radix < 2 || radix > 36 {
|
|
|
|
panic('invalid radix: $radix . It should be => 2 and <= 36')
|
|
|
|
}
|
|
|
|
if n == 0 {
|
|
|
|
return '0'
|
|
|
|
}
|
|
|
|
mut n_copy := n
|
|
|
|
mut sign := ''
|
|
|
|
if n < 0 {
|
|
|
|
sign = '-'
|
|
|
|
n_copy = -n_copy
|
|
|
|
}
|
|
|
|
mut res := ''
|
|
|
|
for n_copy != 0 {
|
|
|
|
tmp_0 := res
|
2021-06-18 16:59:56 +02:00
|
|
|
tmp_1 := strconv.base_digits[n_copy % radix].ascii_str()
|
2021-05-24 04:20:45 +02:00
|
|
|
res = tmp_1 + res
|
|
|
|
tmp_0.free()
|
|
|
|
tmp_1.free()
|
2021-06-18 16:59:56 +02:00
|
|
|
// res = base_digits[n_copy % radix].ascii_str() + res
|
2021-05-24 04:20:45 +02:00
|
|
|
n_copy /= radix
|
|
|
|
}
|
|
|
|
return '$sign$res'
|
2021-01-04 14:48:51 +01:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// format_uint returns the string representation of the number n in base `radix`
|
|
|
|
// for digit values > 10, this function uses the small latin leters a-z.
|
2021-05-24 04:20:45 +02:00
|
|
|
[manualfree]
|
2021-01-04 14:48:51 +01:00
|
|
|
pub fn format_uint(n u64, radix int) string {
|
2021-06-18 16:59:56 +02:00
|
|
|
unsafe {
|
2021-05-24 04:20:45 +02:00
|
|
|
if radix < 2 || radix > 36 {
|
|
|
|
panic('invalid radix: $radix . It should be => 2 and <= 36')
|
|
|
|
}
|
|
|
|
if n == 0 {
|
|
|
|
return '0'
|
|
|
|
}
|
|
|
|
mut n_copy := n
|
|
|
|
mut res := ''
|
|
|
|
uradix := u64(radix)
|
|
|
|
for n_copy != 0 {
|
|
|
|
tmp_0 := res
|
2021-06-18 16:59:56 +02:00
|
|
|
tmp_1 := strconv.base_digits[n_copy % uradix].ascii_str()
|
2021-05-24 04:20:45 +02:00
|
|
|
res = tmp_1 + res
|
|
|
|
tmp_0.free()
|
|
|
|
tmp_1.free()
|
2021-06-18 16:59:56 +02:00
|
|
|
// res = base_digits[n_copy % uradix].ascii_str() + res
|
2021-05-24 04:20:45 +02:00
|
|
|
n_copy /= uradix
|
|
|
|
}
|
|
|
|
return res
|
2021-01-04 14:48:51 +01:00
|
|
|
}
|
|
|
|
}
|