在使用...
提供参数列表的简单函数中,该函数是否可以找到从调用传递的对象的名称 >环境?如果是这样,怎么样?
这出现在问题printing matrices and vectors side by side的背景下,但可能更为笼统。
在该上下文中,参数...
还可以包含字符串,不需要任何名称。这是我的MWE,我尝试使用deparse(substitute())
,但无济于事。
test_names <- function(...) {
# get arguments
args <- list(...)
chars <- sapply(args, is.character)
names <- sapply(args, function(x) if(is.character(x)) " " else deparse(substitute(x)))
names
}
测试:
A = matrix(c(0.5, 1, 3, 0.75, 2.8, 4), nrow = 2)
x = c(0.5, 3.7, 2.3)
y = c(0.7, -1.2)
b = A %*% x - y
> test_names(A, " * ", x, " - ", y, " = ", b)
[1] "X[[i]]" " " "X[[i]]" " " "X[[i]]" " " "X[[i]]"
>
我想要的输出是长度为7的字符向量:
[1] "A" " " "x" " " "y" " " "b"
令人惊讶的是,如果在任何地方都没有提到X[[i]]
,结果都是X
。
按照@Roland的回答,这似乎做了我想要的事情:
test_names2 <- function(...) {
argnames <- sys.call()
unlist(lapply(argnames[-1], as.character))
}
> test_names2(A, " * ", x, " - ", y, " = ", b)
[1] "A" " * " "x" " - " "y" " = " "b"
答案 0 :(得分:7)
使用sys.call
:
test_names <- function(...) {
argnames <- sys.call()
paste(lapply(argnames[-1], as.character), collapse = "")
}
#[1] "A * x - y = b"
答案 1 :(得分:3)
正如电子邮件列表(here)所描述的那样sys.call
正如Roland所说,或match.call
可用于此目的。
与Roland的解决方案相比,match.call
的解决方案看起来像
f = function(...){
return(match.call())
}
d = f(x = 1, b = 5)
d
#f(x = 1, b = 5)
as.list(d[-1])
#$x
#[1] 1
#
#$b
#[1] 5
因此使用它有点像这样,因为第一个元素是函数本身的名称。
f = function(...){
return(as.list(match.call())[-1])
}
它们很相似,但help page说:
sys.call()类似于[ to match.call()],但不扩展 参数名称;
所以这是一个区别。