159

我正在寻找get().

给定一个对象名称,我希望直接从对象中提取代表该对象的字符串。

foo作为我正在寻找的函数的占位符的简单示例。

z <- data.frame(x=1:10, y=1:10)

test <- function(a){
  mean.x <- mean(a$x)
  print(foo(a))
  return(mean.x)}

test(z)

将打印:

  "z"

我的解决方法是:

test <- function(a="z"){
  mean.x <- mean(get(a)$x)
  print(a)
  return(mean.x)}

test("z")
4

4 回答 4

182

旧的 deparse-substitute 技巧:

a<-data.frame(x=1:10,y=1:10)
test<-function(z){
   mean.x<-mean(z$x)
   nm <-deparse(substitute(z))
   print(nm)
   return(mean.x)}
 
 test(a)
#[1] "a"   ... this is the side-effect of the print() call
#          ... you could have done something useful with that character value
#[1] 5.5   ... this is the result of the function call

编辑:用新的测试对象运行它

注意:当一组列表项从第一个参数传递给时,这在本地函数内不会成功lapply(并且当对象从给定的列表传递给for-loop 时,它也会失败。)您将能够提取“.Names”-属性和结构结果的处理顺序,如果它是正在处理的命名向量。

> lapply( list(a=4,b=5), function(x) {nm <- deparse(substitute(x)); strsplit(nm, '\\[')} )
$a      # This "a" and the next one in the print output are put in after processing
$a[[1]]
[1] "X"    ""     "1L]]"  # Notice that there was no "a"


$b
$b[[1]]
[1] "X"    ""     "2L]]"

> lapply( c(a=4,b=5), function(x) {nm <- deparse(substitute(x)); strsplit(nm, '\\[')} )
$a
$a[[1]]   # but it's theoretically possible to extract when its an atomic vector
[1] "structure(c(4, 5), .Names = c(\"a\", \"b\"))" ""                                            
[3] "1L]]"                                        


$b
$b[[1]]
[1] "structure(c(4, 5), .Names = c(\"a\", \"b\"))" ""                                            
[3] "2L]]"  
于 2012-05-09T17:09:19.160 回答
18
deparse(quote(var))

我的直观理解其中引号冻结了评估中的 var 或表达式,而与 parse 函数相反的 deparse 函数使冻结的符号回到 String

于 2018-01-30T07:57:03.457 回答
7

请注意,对于打印方法,行为可能会有所不同。

print.foo=function(x){ print(deparse(substitute(x))) }
test = list(a=1, b=2)
class(test)="foo"
#this shows "test" as expected
print(test)

#this (just typing 'test' on the R command line)
test
#shows
#"structure(list(a = 1, b = 2), .Names = c(\"a\", \"b\"), class = \"foo\")"

我在论坛上看到的其他评论表明,最后一种行为是不可避免的。如果您正在为包编写打印方法,这将是不幸的。

于 2013-10-02T20:24:02.540 回答
0

详细说明 Eli Holmes 的回答:

  1. myfunc效果很好
  2. 我很想在另一个函数中调用它(如他在 20 年 8 月 15 日的评论中所讨论的)
  3. 失败
  4. 一个函数中,直接编码(而不是从外部函数调用),这个deparse(substitute()技巧很有效。
  5. 这一切都隐含在他的回答中,但为了便于窥视我的健忘程度,我想把它拼出来。
an_object <- mtcars
myfunc <- function(x) deparse(substitute(x))

myfunc(an_object)
#> [1] "an_object"

# called within another function 
wrapper <- function(x){
  myfunc(x)
}

wrapper(an_object)
#> [1] "x"
于 2021-10-18T23:19:48.423 回答