Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

hiding personal functions in R

Tags:

namespaces

r

I have a few convenience functions in my .Rprofile, such as this handy function for returning the size of objects in memory. Sometimes I like to clean out my workspace without restarting and I do this with rm(list=ls()) which deletes all my user created objects AND my custom functions. I'd really like to not blow up my custom functions.

One way around this seems to be creating a package with my custom functions so that my functions end up in their own namespace. That's not particularly hard, but is there an easier way to ensure custom functions don't get killed by rm()?

like image 882
JD Long Avatar asked Jan 28 '11 12:01

JD Long


1 Answers

Combine attach and sys.source to source into an environment and attach that environment. Here I have two functions in file my_fun.R:

foo <- function(x) {     mean(x) }  bar <- function(x) {     sd(x) } 

Before I load these functions, they are obviously not found:

> foo(1:10) Error: could not find function "foo" > bar(1:10) Error: could not find function "bar" 

Create an environment and source the file into it:

> myEnv <- new.env() > sys.source("my_fun.R", envir = myEnv) 

Still not visible as we haven't attached anything

> foo(1:10) Error: could not find function "foo" > bar(1:10) Error: could not find function "bar" 

and when we do so, they are visible, and because we have attached a copy of the environment to the search path the functions survive being rm()-ed:

> attach(myEnv) > foo(1:10) [1] 5.5 > bar(1:10) [1] 3.027650 > rm(list = ls()) > foo(1:10) [1] 5.5 

I still think you would be better off with your own personal package, but the above might suffice in the meantime. Just remember the copy on the search path is just that, a copy. If the functions are fairly stable and you're not editing them then the above might be useful but it is probably more hassle than it is worth if you are developing the functions and modifying them.

A second option is to just name them all .foo rather than foo as ls() will not return objects named like that unless argument all = TRUE is set:

> .foo <- function(x) mean(x) > ls() character(0) > ls(all = TRUE) [1] ".foo"         ".Random.seed" 
like image 106
Gavin Simpson Avatar answered Oct 17 '22 22:10

Gavin Simpson