你不能用$
. 在源代码 ( R/src/main/subset.c
) 中它指出:
/*$ 子集运算符。
我们需要确保只评估第一个参数。
第二个将是一个需要匹配而不是评估的符号。
*/
第二个论点?什么?!你必须意识到$
,就像 R 中的所有其他东西一样,(包括例如(
,+
等^
)是一个函数,它接受参数并被评估。df$V1
可以改写为
`$`(df , V1)
或者确实
`$`(df , "V1")
但...
`$`(df , paste0("V1") )
...例如永远不会工作,也不会在第二个参数中首先评估任何其他内容。您只能传递一个从未评估过的字符串。
而是使用[
(或者[[
如果您只想提取单个列作为向量)。
例如,
var <- "mpg"
#Doesn't work
mtcars$var
#These both work, but note that what they return is different
# the first is a vector, the second is a data.frame
mtcars[[var]]
mtcars[var]
您可以在没有循环的情况下执行排序,使用do.call
来构造对order
. 下面是一个可重现的示例:
# set seed for reproducibility
set.seed(123)
df <- data.frame( col1 = sample(5,10,repl=T) , col2 = sample(5,10,repl=T) , col3 = sample(5,10,repl=T) )
# We want to sort by 'col3' then by 'col1'
sort_list <- c("col3","col1")
# Use 'do.call' to call order. Seccond argument in do.call is a list of arguments
# to pass to the first argument, in this case 'order'.
# Since a data.frame is really a list, we just subset the data.frame
# according to the columns we want to sort in, in that order
df[ do.call( order , df[ , match( sort_list , names(df) ) ] ) , ]
col1 col2 col3
10 3 5 1
9 3 2 2
7 3 2 3
8 5 1 3
6 1 5 4
3 3 4 4
2 4 3 4
5 5 1 4
1 2 5 5
4 5 3 5