This vignette aims to provide an introduction to getDTeval and an approach to implementing programmaticly designed coding statements without compromising on the runtime performance. Familiarity with the syntax of the data.table and dplyr packages would be useful, but it is not essential to follow this vignette.
Programmatic designs build coding statements with flexible structures that can easily be modified. The best practices of software design recommend using variables to store certain values (e.g. constants or thresholds) that will be used in calculations. The same principle can apply to the use of the names of variables in a data.frame object. As an example, we will consider two approaches to calculating a simple mean and constructing a new variable. The data used here will be based on the snack.dat data from the formulaic package (https://cran.r-project.org/package=formulaic):
dat <- data.table::data.table(formulaic::snack.dat)
threshold.age <- 35
## Approach 1
dat[, mean(Age)]
#> [1] 55.201
dat[, youngest_cohort := (Age < threshold.age)]
## Approach 2
age.name <- "Age"
youngest.cohort.name <- "youngest_cohort"
dat[, mean(get(age.name))]
#> [1] 55.201
dat[, eval(youngest.cohort.name) := (get(age.name) < threshold.age)]In the second approach, the get() and eval() functions are used to convert previously defined variables into quantities that can be used in the calculations. Within the dat object, using the get function will locate a variable with the corresponding name and return the vector of values for use in the computations of the mean or the logical comparison of ages to a threshold. Meanwhile, the eval function allows us to specify the name of a new variable that will be added to the dat object.
Programmatic designs with the get() and eval() functions facilitate calculations in functions and in dynamic applications. Even for basic analyses, this design creates greater flexibility for possible changes. If the name of the Age variable were later changed to another value (e.g. Age_Years), the program could be adapted with a simple modification to the age.name variable. Any downstream use of the Age variable through calls of get() or eval() to age.name would automatically adapt to the change.
However, programmatic designs can lead to reduced runtime efficiency. In the case of simple calls to the get() function, the performance can greatly decrease. The following example demonstrates the associated reductions in efficiency in the case of calculating a grouped average.
age.name <- "Age"
gender.name <- "Gender"
region.name <- "Region"
set.seed(seed = 293)
sampledat <- dat[sample(x = 1:.N, size = 10^6, replace = TRUE)]
times <- 50
t1 <-
  microbenchmark::microbenchmark(sampledat[, .(mean_age = mean(Age)), keyby = c("Gender", "Region")], times = times)
t2 <-
  microbenchmark::microbenchmark(sampledat[, .(mean_age = mean(get(age.name))), keyby = c(gender.name, region.name)], times = times)
                                 
                                 
results <-
  data.table::data.table(
    Classic_Mean = mean(t1$time),
    Classic_Median = median(t1$time),
    Programmatic_Mean = mean(t2$time),
    Programmatic_Median = median(t2$time)
  ) / 10 ^ 9
results[, Effect_Median := Programmatic_Median/Classic_Median]
round(x = results, digits = 4)
#>    Classic_Mean Classic_Median Programmatic_Mean Programmatic_Median
#> 1:       0.0257         0.0241            0.0629              0.0605
#>    Effect_Median
#> 1:        2.5119For larger sample sizes and more complex calculations, the effect of programmatic designs can significantly increase the running time complexity.
The getDTeval package was designed to overcome the trade-offs between programmatic designs and running time efficiency. The package creates a means of translating calls to get() and eval() into more optimized coding statements. In doing so, the package not only resolves many observed trade-offs between speed and efficiency; it also creates opportunities to expand the areas in which programmatic designs may be used in common coding applications.
The getDTeval package introduces two functions: getDTeval::getDTeval and getDTeval::benchmark.getDTeval. The getDTeval() function is used to translate and evaluate coding statements into more optimized forms. The benchmark.getDTeval() function then provides a means of comparing the run-time performance of a coding statement.
The getDTeval() function facilitates the translation of the original coding statement to an optimized form for improved runtime efficiency without compromising on the programmatic coding design. The function can either provide a translation of the coding statement, directly evaluate the translation to return a coding result, or provide both of these outputs.
the.statement refers to the original coding statement which needs to be translated to an optimized form. This value may be entered as either a character value or as an expression.
return.as refers to the mode of output. It could return the results as a coding statement (return.as = "code"), an evaluated coding result (return.as = "result", which is the default value), or a combination of both (return.as = "all").
coding.statements.as determines whether the coding statements provided as outputs are returned as expression objects (return.as = "expression") or as character values (return.as = "character", which is the default).
eval.type specifies whether the coding statement will be evaluated in its current form (eval.type = "as.is") or in an optimized form (eval.type = "optimized", the default setting).
The following examples demonstrate applications of the getDTeval() function in common calculations.
income.name <- "Income"
gender.name <- "Gender"
the.statement.1 <- "dat[,.(mean_income=mean(get(income.name))), keyby = get(gender.name)]"getDTeval(the.statement = the.statement.1, return.as = "code")
#> [1] "dat[,.(mean_income=mean(Income)), keyby = Gender]"getDTeval(the.statement = the.statement.1, return.as = "result")
#>    Gender mean_income
#> 1: Female    81236.22
#> 2:   Male    84520.33getDTeval(the.statement = the.statement.1, return.as = "all")
#> $result
#>    Gender mean_income
#> 1: Female    81236.22
#> 2:   Male    84520.33
#> 
#> $code
#> [1] "dat[,.(mean_income=mean(Income)), keyby = Gender]"
#> 
#> $original.statement
#> [1] "dat[,.(mean_income=mean(get(income.name))), keyby = get(gender.name)]"library(dplyr)
#> Warning: package 'dplyr' was built under R version 3.6.2
#> 
#> Attaching package: 'dplyr'
#> The following objects are masked from 'package:stats':
#> 
#>     filter, lag
#> The following objects are masked from 'package:base':
#> 
#>     intersect, setdiff, setequal, union
income.name <- "Income"
region.name <- "Region"
awareness.name <- "Awareness"
threshold.income <- 75000
the.statement.2 <-
  expression(
    dat %>% filter(get(income.name) < threshold.income) %>% group_by(get(region.name)) %>% summarise(prop_aware = mean(get(awareness.name)))
  ) In particular, note that the.statement can be entered as either an expression or as a character value. When the coding statement itself includes quotation marks, some care should be taken to ensure that the statement is properly represented. For instance, consider a coding statement like dat[, mean(Age), by = c('Region', 'Gender')]. Using double quotation marks for Region or Gender could create issues with writing this statement inside of a character value. A convention such as only using single quotations inside of the coding statement could simplify the problem. Otherwise, placing the coding statement in an expression ensures that any set of valid coding symbols may be used.
In the following examples, we will show how the code itself can be returned as either a character or as an expression.
getDTeval(the.statement = the.statement.2, return.as = "code", coding.statements.as = "expression")
#> expression(dat %>% filter(Income < threshold.income) %>% group_by(Region) %>% 
#>     summarise(prop_aware = mean(Awareness)))
getDTeval(the.statement = the.statement.2, return.as = "code", coding.statements.as = "character")
#> [1] "dat %>% filter(Income < threshold.income) %>% group_by(Region) %>% summarise(prop_aware = mean(Awareness))"getDTeval(the.statement = the.statement.2, return.as = "result")
#> `summarise()` ungrouping output (override with `.groups` argument)
#> # A tibble: 4 x 2
#>   Region    prop_aware
#>   <fct>          <dbl>
#> 1 Midwest        0.541
#> 2 Northeast      0.547
#> 3 South          0.526
#> 4 West           0.498getDTeval(the.statement = the.statement.2, return.as = "all", coding.statements.as = "expression")
#> `summarise()` ungrouping output (override with `.groups` argument)
#> $result
#> # A tibble: 4 x 2
#>   Region    prop_aware
#>   <fct>          <dbl>
#> 1 Midwest        0.541
#> 2 Northeast      0.547
#> 3 South          0.526
#> 4 West           0.498
#> 
#> $code
#> expression(dat %>% filter(Income < threshold.income) %>% group_by(Region) %>% 
#>     summarise(prop_aware = mean(Awareness)))
#> 
#> $original.statement
#> expression(dat %>% filter(get(income.name) < threshold.income) %>% 
#>     group_by(get(region.name)) %>% summarise(prop_aware = mean(get(awareness.name))))
getDTeval(the.statement = the.statement.2, return.as = "all", coding.statements.as = "character")
#> `summarise()` ungrouping output (override with `.groups` argument)
#> $result
#> # A tibble: 4 x 2
#>   Region    prop_aware
#>   <fct>          <dbl>
#> 1 Midwest        0.541
#> 2 Northeast      0.547
#> 3 South          0.526
#> 4 West           0.498
#> 
#> $code
#> [1] "dat %>% filter(Income < threshold.income) %>% group_by(Region) %>% summarise(prop_aware = mean(Awareness))"
#> 
#> $original.statement
#> expression(dat %>% filter(get(income.name) < threshold.income) %>% 
#>     group_by(get(region.name)) %>% summarise(prop_aware = mean(get(awareness.name))))The getDTeval() function also includes methods to run the code according to the original statement or in its optimized form. This is a good way to double check that the coding translation performs as intended. In the following example, we will demonstrate both kinds of calculations. This includes the following preliminary steps:
the.statement.3 <- "tab <- dat[, .(prop_awareness = mean(get(awareness.name))), by = eval(region.name)]; data.table::setorderv(x = tab, cols = region.name, order = -1)"When the coding statement is evaluated with return.as = "result" or return.as = "all", then using eval.type = "as.is" means that the original coding statement is evaluated.
getDTeval(the.statement = the.statement.3, return.as = "result", eval.type = "as.is")
#>       Region prop_awareness
#> 1:      West      0.5066667
#> 2:     South      0.5307453
#> 3: Northeast      0.5387838
#> 4:   Midwest      0.5399338When the coding statement is evaluated with return.as = "result" or return.as = "all", then using eval.type = "optimized" means that the translated coding statement is evaluated.
getDTeval(the.statement = the.statement.3, return.as = "result", eval.type = "optimized")
#>       Region prop_awareness
#> 1:      West      0.5066667
#> 2:     South      0.5307453
#> 3: Northeast      0.5387838
#> 4:   Midwest      0.5399338benchmark.getDTeval function facilitates comparisons of the running time complexity of calculations based on different forms of a coding statement. The original statement's performance will be compared to the running time after the statement is translated using getDTeval().
To highlight the application of the benchmark.getDTeval() function, we will use a sample of 1 million observations drawn with replacement from the snack.dat.
We will be calculating the mean awareness of the survey's participants by region. The benchmark.getDTeval() function will be used to compare the running times of the original programmatic coding statement and the translated statement. This comparison also evaluates the time of the optimized statement, which would use the translated statement without the time required to translate it.
sample.dat <- dat[sample(x = 1:.N,
                         size = 10 ^ 6,
                         replace = TRUE)]
the.statement.4 <-
  expression(sample.dat[, .(pct_awareness = mean(get(awareness.name)) * 100), keyby = get(region.name)])
benchmark.getDTeval(the.statement = the.statement.4,
                    times = 50,
                    seed = 282)
#>                      category     Min. 1st Qu.  Median    Mean 3rd Qu.    Max.
#> 1:        getDTeval statement 0.008915 0.01036 0.01041 0.01105 0.01052 0.02977
#> 2: optimized coding statement 0.008581 0.01010 0.01036 0.01169 0.01096 0.05176
#> 3:  original coding statement 0.045183 0.04851 0.04922 0.05345 0.05330 0.10045The original coding statement uses calls to get() to generate results with a programmatic design. In the median and average cases, the running time is substantially worse than using the more optimized statement. There is a real trade-off between the flexibility of the programmatic design and the running time performance of directly naming the variables. However, translating the programmatic design's coding statement using getDTeval() produces running times that are quite similar to what is produced while directly using the optimized statements. These results suggest that getDTeval() can effectively eliminate these tradeoffs.
The getDTeval package offers a number of benefits to bridge the gap between the flexibility of coding statements and their runtime execution. These benefits are as follows:
The getDTeval() function performs code translations of any calls to get() or eval() within a coding statement. In some cases, this translation can enable the use of programmatic designs even when the original coding statement would not properly evaluate. In the examples below, we will consider some examples that make use of this capability.
Earlier in this document, we provided examples in which the eval() function could be used to programmatically add new variables to a data.table object. However, for calculated quantities inside of data.table's .() notation, this use of eval() would generate an error. We can demonstrate this problem with the example below:
prop.awareness.name <- "Proportion Aware" awareness.name <- "Awareness" region.name <- "Region" dat[,eval(mean.awareness.name) = mean(get(awareness.name)) * 100, keyby = get(region.name)]
Error: unexpected '=' in "dat[,eval(mean.awareness.name) ="
However, we get the above stated error where eval function programmatically is not able to evaluate the desired calculation.
Translating this statement with getDTeval() would allow us to get the desired results:
the.statement <- 'dat[, .(eval(mean.awareness.name) = mean(get(awareness.name)) * 100), keyby = get(region.name)]'
getDTeval(the.statement = the.statement, return.as = 'all')
#> $result
#>       Region Mean Awareness
#> 1:   Midwest       53.99338
#> 2: Northeast       53.87838
#> 3:     South       53.07453
#> 4:      West       50.66667
#> 
#> $code
#> [1] "dat[, .('`Mean Awareness`' = mean(Awareness) * 100), keyby = Region]"
#> 
#> $original.statement
#> [1] "dat[, .(eval(mean.awareness.name) = mean(get(awareness.name)) * 100), keyby = get(region.name)]"In a similar fashion to the previous example, the use of the dplyr package has settings in which using programmatic names for calculated quantities can generate errors. This is demonstrated in the following example, which also uses getDTeval to resolve the issue.
dat %>% group_by(get(region.name)) %>% summarize(eval(mean.awareness.name)=mean(get(awareness.name),na.rm=T))
Dplyr also generates the following error where '=' is not compatible to use with eval()
Error: unexpected '=' in "dat %>% group_by(get(region.name)) %>% summarize(eval(mean.awareness.name)="
However, getDTeval allows us to resolve this issue by making the necessary translation to the optimized coding form of the statement.
the.statement<- 'dat %>% group_by(get(region.name)) %>% summarize(eval(mean.awareness.name)=mean(get(awareness.name),na.rm=T))'
getDTeval(the.statement = the.statement, return.as='all')
#> `summarise()` ungrouping output (override with `.groups` argument)
#> $result
#> # A tibble: 4 x 2
#>   Region    `Mean Awareness`
#>   <fct>                <dbl>
#> 1 Midwest              0.540
#> 2 Northeast            0.539
#> 3 South                0.531
#> 4 West                 0.507
#> 
#> $code
#> [1] "dat %>% group_by(Region) %>% summarize('`Mean Awareness`'=mean(Awareness,na.rm=T))"
#> 
#> $original.statement
#> [1] "dat %>% group_by(get(region.name)) %>% summarize(eval(mean.awareness.name)=mean(get(awareness.name),na.rm=T))"The mutate() function of dplyr can be used to add a new column to a data.frame object. This step cannot directly be used with a call to the eval() function. In the following example, we will attempt to add a new variable that calculates the user's age in decades.
age.decade.name <- "Age_Decade" dat[1:10,] %>% mutate(eval(age.decade.name) = floor(get(age.name)/10)) %>% select(eval(age.name), eval(age.decade.name))
Using mutate() from the dplyr package to evaluate age decade as shown above generates the following error:
Error: unexpected '=' in "dat[1:10,] %>% mutate(eval(age.decade.name) ="
However, getDTeval() offers an acceptable translation of the programmatic design:
the.statement <- 'dat[1:10,] %>% mutate(eval(age.decade.name) = floor(get(age.name)/10)) %>% select(eval(age.name), eval(age.decade.name))'
getDTeval(the.statement = the.statement, return.as = 'all')
#> $result
#>     Age Age_Decade
#>  1:  49          4
#>  2:  65          6
#>  3:  18          1
#>  4:  54          5
#>  5:  33          3
#>  6:  64          6
#>  7:  49          4
#>  8:  66          6
#>  9:  31          3
#> 10:  81          8
#> 
#> $code
#> [1] "dat[1:10,] %>% mutate('Age_Decade' = floor(Age/10)) %>% select('Age', 'Age_Decade')"
#> 
#> $original.statement
#> [1] "dat[1:10,] %>% mutate(eval(age.decade.name) = floor(get(age.name)/10)) %>% select(eval(age.name), eval(age.decade.name))"When the get() function is used in dplyr's group_by() function, the resulting name of the column is based on the programmatic statement. This is demonstrated with the following example, which calculates the average satisfaction score by the geographic region:
dat %>% group_by(get(region.name)) %>% summarize(mean_satisfaction = mean(get(satisfaction.name), na.rm=T))
#> `summarise()` ungrouping output (override with `.groups` argument)
#> # A tibble: 4 x 2
#>   `get(region.name)` mean_satisfaction
#>   <fct>                          <dbl>
#> 1 Midwest                         4.34
#> 2 Northeast                       4.97
#> 3 South                           4.72
#> 4 West                            4.80the.statement<- 'dat %>% group_by(get(region.name)) %>% summarize(eval(sprintf("Mean %s", satisfaction.name)) = mean(get(satisfaction.name), na.rm=T))'
getDTeval(the.statement = the.statement, return.as='all')
#> `summarise()` ungrouping output (override with `.groups` argument)
#> $result
#> # A tibble: 4 x 2
#>   Region    `Mean Satisfaction`
#>   <fct>                   <dbl>
#> 1 Midwest                  4.34
#> 2 Northeast                4.97
#> 3 South                    4.72
#> 4 West                     4.80
#> 
#> $code
#> [1] "dat %>% group_by(Region) %>% summarize('`Mean Satisfaction`' = mean(Satisfaction, na.rm=T))"
#> 
#> $original.statement
#> [1] "dat %>% group_by(get(region.name)) %>% summarize(eval(sprintf(\"Mean %s\", satisfaction.name)) = mean(get(satisfaction.name), na.rm=T))"This result adds greater readability to the resulting table.
The usage of getDTeval to find instances of get or eval should be limited to only the get() and eval() functions and not applied to the extended functions such as dynGet, mget, evalq, eval.parent etc.
Also, as an extension to the above mentioned disclaimer, the current design of getDTeval function might encounter translation issues with functions that end in get( or eval and may create errors when other functions that end in these prefixes are used.
To exemplify let us examine the following case:
mean.get <- function(x){ return(mean(x)) } getDTeval(the.statement = "mean.get(1:5)", return.as = "result")
Here mean.get() is a customized function created to evaluate the mean of an objext x.
However, the use of mean.get() generates a translation error. Any coding statement that includes the substring get( or eval( would trigger an attempt at translation by getDTeval().
A workaround this issue would be to add a space between the mean.get( functionality and the parenthesis as follows:
mean.get <- function(x){
  return(mean(x))
}
getDTeval(the.statement = "mean.get (1:5)", return.as = "result")
#> <NA> 
#>    3This addition of space allows the getDteval() function to perform the required translation effectively. This comes with a caveat that legitimate calls to get() and eval() functions will not be translated if there is a space before the parenthesis. Therefore, the user should be careful in using the custom or extended functions involving get( or eval( while using the getDTeval package.
This document has demonstrated the applications of the getDTeval package. Through translations of coding statements, the getDTeval() function is able to incorporate programmatic designs while approximating the running time performance of more optimized code. The method allows the user to construct programmatic statements that would be useful but are not fully supported by some existing packages. Furthermore, because the method can show the resulting translation, there is an excellent opportunity to study the different ways of constructing a coding statement. Meanwhile, the benchmark.getDTeval() function provides a direct means of comparing the typical times to evaluate a coding statement with and without programmatic designs relative to a more optimized benchmark.
Analyses that make use of customized functions and dynamic applications can benefit from the use of get() and eval(). The observed trade-offs between flexibility and speed can be largely overcome through the use of the getDTeval package. This also suggests greater opportunities to employ translations of code to further improve the performance of coding styles in R.