n
是一个整数。我想要的顺序是:
1:n, 1:(n-1), 1:(n-2), ... , 1:3, 1:2, 1
编者注:
在R中,1:n-1
与1:(n-1)
不同。小心点。
答案 0 :(得分:5)
缩写为sequence(n:1)
。
sequence(4:1)
#[1] 1 2 3 4 1 2 3 1 2 1
该功能没有什么秘密。
function (nvec)
unlist(lapply(nvec, seq_len))
因此snoram's answer重新发明了轮子。但是,调用seq_len
比调用其他选项要快,因为它是只有一个参数的原始函数(C函数)。
sequence2 <- function (nvec) unlist(lapply(nvec, seq.int, from = 1))
sequence3 <- function (nvec) unlist(lapply(nvec, function(x) 1:x))
sequence4 <- function (nvec) unlist(lapply(nvec, seq.default, from = 1))
sequence5 <- function (nvec) unlist(lapply(nvec, seq, from = 1))
library(microbenchmark)
microbenchmark(sequence(100:1), sequence2(100:1),
sequence3(100:1), sequence4(100:1), sequence5(100:1))
#Unit: microseconds
# expr min lq mean median uq max
# sequence(100:1) 93.292 160.9325 205.5617 173.1995 200.0005 1157.201
# sequence2(100:1) 117.625 226.2120 308.4929 248.1055 280.8625 5477.710
# sequence3(100:1) 126.289 233.7875 365.6455 268.0495 301.8860 8808.911
# sequence4(100:1) 606.301 1195.4795 1463.3400 1237.5580 1344.3145 9986.619
# sequence5(100:1) 944.099 1864.3920 2063.3712 1942.2240 2119.3930 8581.593
## speed comparison
seq < seq.default < function(x) 1:x < seq.int < seq_len
s3 generic normal light-weighted user primitive 1-argument primitive
答案 1 :(得分:1)
李哲源的解决方案可能不会得到改善。但是,出于好奇,一种非常普遍的R'ish方法将类似于:
unlist(lapply(4:1, function(x) 1:x))
[1] 1 2 3 4 1 2 3 1 2 1