Lightweight Timer Using a Closure
Want to share your content on R-bloggers? click here if you have a blog, or here if you don't.
I am always looking for a way to speed up processing in R before giving up and porting to C++.
To find bottlenecks, I used to put timing variables all over code with print statements. When I discovered R6, I immediately created my own timing class to handle this.
library(R6)
Timer = R6Class("Timer",
## Public Scope
public=list(
initialize = function() {
# Initialized the timer
# and start the clock
private$ptm = proc.time()
},
Lap = function() {
dif = proc.time() - private$ptm
private$ptm <<- proc.time()
print(dif)
}
),
## Private Scope
private=list(
ptm = NULL
)
)
t = Timer$new()
for(i in 1:100000) x = i
t$Lap()
## user system elapsed
## 0.02 0.00 0.02
for(i in 1:200000) x = i
t$Lap()
## user system elapsed
## 0.033 0.000 0.035
This works great and I love working with R6, but I want something a little more lightweight for when I’m bouncing between multiple R environments. After racking my brain a little, I found that closures provide great solution to such a simple problem. The closure gives us the data persistance we need and doesn’t require outside packages.
Timer = function() {
# Initialized the timer
# and start the clock
ptm = proc.time()
function(lab = NULL) {
dif = proc.time() - ptm
ptm <<- proc.time()
print(dif)
}
}
t = Timer()
rst = c()
for(i in 1:10000) {
test = c()
for(j in 1:100) {
test = c(test, sample(1:0, 1))
}
rst = c(rst, sum(test))
}
t()
## user system elapsed
## 6.384 0.000 6.386
rst = c()
for(i in 1:10000) {
rst = c(rst, sum(sample(1:0, 100, replace=T)))
}
t()
## user system elapsed
## 0.303 0.000 0.303
rst = matrix(nrow = 10000) %>%
apply(1, FUN = function(x) sum(sample(1:0, 100, replace=T)))
## Error in eval(expr, envir, enclos): could not find function "%>%"
t()
## user system elapsed
## 0.003 0.000 0.005
You could extend this timer to make fancy output and also put conditional development environment checking. If you really wanted to get sophisticated, you could inject the timer into functions automatically. I may write a post in the future on how to do this. Sounds like fun.
R-bloggers.com offers daily e-mail updates about R news and tutorials about learning R and many other topics. Click here if you're looking to post or find an R/data-science job.
Want to share your content on R-bloggers? click here if you have a blog, or here if you don't.