当您使用 时summarise
,plyr
在检查函数 in 之前似乎“看不到”在全局环境中声明的函数base
:
我们可以使用 Hadley 的便捷pryr
包检查这一点。您可以通过以下命令安装它:
library(devtools)
install_github("pryr")
require(pryr)
require(plyr)
c <- ddply(a, .(cat), summarise, print(where("mode")))
# <environment: namespace:base>
# <environment: namespace:base>
# <environment: namespace:base>
基本上,它不会读取/知道/查看您的 mode
功能。有两种选择。第一个是@AnandaMahto 的建议,我也会这样做,并建议你坚持下去。另一种选择是不使用summarise
并调用它,function(.)
以便mode
“看到”全局环境中的函数。
c <- ddply(a, .(cat), function(x) mode(x$levels))
# cat V1
# 1 1 6
# 2 2 5
# 3 3 9
为什么这行得通?
c <- ddply(a, .(cat), function(x) print(where("mode")))
# <environment: R_GlobalEnv>
# <environment: R_GlobalEnv>
# <environment: R_GlobalEnv>
因为正如您在上面看到的,它会读取位于global environment
.
> mode # your function
# function(x)
# names(table(x))[which.max(table(x))]
> environment(mode) # where it sits
# <environment: R_GlobalEnv>
相对于:
> base::mode # base's mode function
# function (x)
# {
# some lines of code to compute mode
# }
# <bytecode: 0x7fa2f2bff878>
# <environment: namespace:base>
environments
如果您有兴趣进一步阅读/探索它,这里有一个来自 Hadley 的很棒的 wiki。