Remove objects in .GlobalEnv from within a function Remove objects in .GlobalEnv from within a function r r

Remove objects in .GlobalEnv from within a function


ls() needs to look in the correct place. By default it looks in the current frame, that of the function CleanEnvir in your case and hence was only finding "pattern" in your original.

CleanEnvir <- function(pattern = "tmp") {    objs <- ls(pos = ".GlobalEnv")    rm(list = objs[grep("tmp", objs)], pos = ".GlobalEnv")}

Which gives:

> CleanEnvir <- function(pattern = "tmp") {+     objs <- ls(pos = ".GlobalEnv")+     rm(list = objs[grep("tmp", objs)], pos = ".GlobalEnv")+ }> ls()[1] "CleanEnvir"        "foo"               "keep"             [4] "tmp.to.be.removed"> CleanEnvir()> ls()[1] "CleanEnvir" "foo"        "keep"


You need to do your search in the Global Env as well as the removal there:

CleanEnvir <- function(pattern = "tmp"){      rm(list = ls(envir=globalenv())[             grep("tmp", ls(envir=globalenv()))], envir = globalenv())  }


Shortest code solution I got for this is this one:

remove a specific variable:

y <- TRUECleanEnvir <- function(x) {rm(list=deparse(substitute(x)),envir=.GlobalEnv)}CleanEnvir(y)y

deparse substitute to paste the variable name rather than its value, and indeed pos = ".GlobalEnv" works, but you can also simply use envir=.GlobalEnv

SOLUTION 2: This actually allows for pattern matching. (I STRONGLY recommend against this because you could possibly remove stuff you don't want to remove by accident. I.e. you want to remove tmp1 and tmp2 but you forgot that there is another variable that is called Global.tmp and localtmp as in temperature for example.

remove by pattern:

myvar1 <- TRUEmyvar2 <- FALSE Pat.clean.Envir <- function(x) { rm(list = ls(.GlobalEnv)[grep(deparse(substitute(x)), ls(.GlobalEnv))], envir = .GlobalEnv) }Pat.clean.Envir(myvar)

cheers.