strtoi(x,base=36)
会将base36编码的字符串转换为整数:
strtoi("zzzz",base=36)
[1] 1679615
是否存在反转此操作的函数,即,给定正整数会产生base36等效值?基本上,我正在寻找itostr()
函数,以便
itostr(1679615,base=36)
[1] "zzzz"
(我不需要36以外的任何基础,但base
参数会很好。)
答案 0 :(得分:6)
我相信如果你安装软件包 BBmisc ,它就有itostr功能。
library(BBmisc)
itostr(1679615,base=36)
[1] "zzzz"
答案 1 :(得分:5)
我不知道任何实现,但算法并不困难。这是一个适用于32位有符号整数的算法。
intToBase36 <- function(int) {
stopifnot(is.integer(int) || int < 0)
base36 <- c(as.character(0:9),LETTERS)
result <- character(6)
i <- 1L
while (int > 0) {
result[i] <- base36[int %% 36L + 1L]
i <- i + 1L
int <- int %/% 36L
}
return(paste(result, sep="", collapse=""))
}
答案 2 :(得分:4)
快速的Rcpp hack of this也可以帮到你:
library(inline)
cxxfunction(signature(x="numeric"), body='
unsigned int val = as<unsigned int>(x);
static char const base36[] = "0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZ";
std::string result;
result.reserve(14);
do {
result = base36[val % 36] + result;
} while (val /= 36);
return wrap(result);
', plugin="Rcpp") -> base36enc
base36enc(36)
## [1] "10"
base36enc(72)
## [1] "20"
base36enc(73)
## [1] "21"
但它确实需要更多代码供生产使用。
另一个答案中引用的BBmisc
包也是C-backed,所以它可能是一个很好的,高效的选择。