在一个非常具体的案例中,我对R的行为感到有些惊讶。假设我定义了一个返回其参数平方的函数square
,如下所示:
square <- function(x) { return(x^2) }
我想在另一个函数中调用此函数,我也想在我这样做时显示它的名字。我可以使用deparse(substitute())
来做到这一点。但是,请考虑以下示例:
ds1 <- function(x) {
print(deparse(substitute(x)))
}
ds1(square)
# [1] "square"
这是预期的输出,所以一切都很好。但是,如果我传递包含在列表中的函数并使用for循环处理它,则会发生以下情况:
ds2 <- function(x) {
for (y in x) {
print(deparse(substitute(y)))
}
}
ds2(c(square))
# [1] "function (x) " "{" " return(x^2)" "}"
有人可以向我解释为什么会发生这种情况以及如何防止它发生?
答案 0 :(得分:9)
只要在函数中使用x
,就会对其进行评估,因此它会停止成为(未评估的)表达式&#34;和&#34;开始成为其结果值(评估表达式)&#34;。为防止这种情况发生,您必须在x
之前捕获substitute
,然后才能首次使用它。
substitute
的结果是一个对象,您可以将其视为列表。所以你可以使用
x <- substitute(x)
然后x[[1]]
(函数名称)和x[[2]]
以及(函数的参数)
这样可行:
ds2 <- function(x) {
x <- substitute(x)
# you can do `x[[1]]` but you can't use the expression object x in a
# for loop. So you have to turn it into a list first
for (y in as.list(x)[-1]) {
print(deparse(y))
}
}
ds2(c(square,sum))
## [1] "square"
## [1] "sum"