Learn R Programming

⚠️There's a newer version (2.1.0) of this package.Take me there.

wrapr, is an R package that supplies powerful tools for writing and debugging R code.

Introduction

Primary wrapr services include:

let()

let() allows execution of arbitrary code with substituted variable names (note this is subtly different than binding values for names as with base::substitute() or base::with()).

The function is simple and powerful. It treats strings as variable names and re-writes expressions as if you had used the denoted variables. For example the following block of code is equivalent to having written "a + a".

library("wrapr")

a <- 7

let(
  c(VAR = 'a'),
  
  VAR + VAR
)
 #  [1] 14

This is useful in re-adapting non-standard evaluation interfaces (NSE interfaces) so one can script or program over them.

We are trying to make let() self teaching and self documenting (to the extent that makes sense). For example try the arguments "eval=FALSE" prevent execution and see what would have been executed, or debug=TRUE to have the replaced code printed in addition to being executed:

let(
  c(VAR = 'a'),
  eval = FALSE,
  {
    VAR + VAR
  }
)
 #  {
 #      a + a
 #  }

let(
  c(VAR = 'a'),
  debugPrint = TRUE,
  {
    VAR + VAR
  }
)
 #  $VAR
 #  [1] "a"
 #  
 #  {
 #      a + a
 #  }
 #  [1] 14

Please see vignette('let', package='wrapr') for more examples. Some formal documentation can be found here.

For working with dplyr 0.7.* we strongly suggest wrapr::let() (or even an alternate approach called seplyr).

%.>% (dot pipe or dot arrow)

%.>% dot arrow pipe is a pipe with intended semantics:

"a %.>% b" is to be treated approximately as if the user had written "{ . <- a; b };" with "%.>%" being treated as left-associative.

Other R pipes include magrittr and pipeR.

The following two expressions should be equivalent:

cos(exp(sin(4)))
 #  [1] 0.8919465

4 %.>% sin(.) %.>% exp(.) %.>% cos(.)
 #  [1] 0.8919465

The notation is quite powerful as it treats pipe stages as expression parameterized over the variable ".". This means you do not need to introduce functions to express stages. The following is a valid dot-pipe:

1:4 %.>% .^2 
 #  [1]  1  4  9 16

The notation is also very regular as we show below.

1:4 %.>% sin
 #  [1]  0.8414710  0.9092974  0.1411200 -0.7568025
1:4 %.>% sin(.)
 #  [1]  0.8414710  0.9092974  0.1411200 -0.7568025
1:4 %.>% base::sin
 #  [1]  0.8414710  0.9092974  0.1411200 -0.7568025
1:4 %.>% base::sin(.)
 #  [1]  0.8414710  0.9092974  0.1411200 -0.7568025

1:4 %.>% function(x) { x + 1 }
 #  [1] 2 3 4 5
1:4 %.>% (function(x) { x + 1 })
 #  [1] 2 3 4 5

1:4 %.>% { .^2 } 
 #  [1]  1  4  9 16
1:4 %.>% ( .^2 )
 #  [1]  1  4  9 16

Regularity can be a big advantage in teaching and comprehension. Please see "In Praise of Syntactic Sugar" for more details. Some formal documentation can be found here.

build_frame() / draw_frame()

build_frame() is a convenient way to type in a small example data.frame in natural row order. This can be very legible and saves having to perform a transpose in one's head. draw_frame() is the complimentary function that formats a given data.frame (and is a great way to produce neatened examples).

x <- build_frame(
   "measure"                   , "training", "validation" |
   "minus binary cross entropy", 5         , -7           |
   "accuracy"                  , 0.8       , 0.6          )
print(x)
 #                       measure training validation
 #  1 minus binary cross entropy      5.0       -7.0
 #  2                   accuracy      0.8        0.6
str(x)
 #  'data.frame':   2 obs. of  3 variables:
 #   $ measure   : chr  "minus binary cross entropy" "accuracy"
 #   $ training  : num  5 0.8
 #   $ validation: num  -7 0.6
cat(draw_frame(x))
 #  wrapr::build_frame(
 #     "measure"                   , "training", "validation" |
 #     "minus binary cross entropy", 5         , -7           |
 #     "accuracy"                  , 0.8       , 0.6          )

qc() (quoting concatenate)

qc() is a quoting variation on R's concatenate operator c(). This code such as the following:

qc(a = x, b = y)
 #    a   b 
 #  "x" "y"

qc(one, two, three)
 #  [1] "one"   "two"   "three"

:= (named map builder)

:= is the "named map builder". It allows code such as the following:

'a' := 'x'
 #    a 
 #  "x"

The important property of named map builder is it accepts values on the left-hand side allowing the following:

name <- 'variableNameFromElsewhere'
name := 'newBinding'
 #  variableNameFromElsewhere 
 #               "newBinding"

A nice property is := commutes (in the sense of algebra or category theory) with R's concatenation function c(). That is the following two statements are equivalent:

c('a', 'b') := c('x', 'y')
 #    a   b 
 #  "x" "y"

c('a' := 'x', 'b' := 'y')
 #    a   b 
 #  "x" "y"

The named map builder is designed to synergize with seplyr.

%?% (coalesce)

The coalesce operator tries to replace elements of its first argument with elements from its second argument. In particular %?% replaces NULL vectors and NULL/NA entries of vectors and lists.

Example:

c(1, NA) %?% list(NA, 20)
 #  [1]  1 20

%.|% (reduce/expand args)

The operators %.|% and %|.% are wrappers for do.call(). These functions are used to pass arguments from a list to variadic function (such as sum()). The operator symbols are meant to invoke non-tilted versions of APL's reduce and expand operators.

1:10 %.|% sum
 #  [1] 55

1:4 %.>% do.call(log, list(., base = 2))
 #  [1] 0.000000 1.000000 1.584963 2.000000

DebugFnW()

DebugFnW() wraps a function for debugging. If the function throws an exception the execution context (function arguments, function name, and more) is captured and stored for the user. The function call can then be reconstituted, inspected and even re-run with a step-debugger. Please see our free debugging video series and vignette('DebugFnW', package='wrapr') for examples.

λ() (anonymous function builder)

λ() is a concise abstract function creator or "lambda abstraction". It is a placeholder that allows the use of the -character for very concise function abstraction.

Example:

# Make sure lambda function builder is in our enironment.
wrapr::defineLambda()

# square numbers 1 through 4
sapply(1:4, λ(x, x^2))
 #  [1]  1  4  9 16

# alternat "colon equals with braces" function builder notation
sapply(1:4, x := { x^2 })
 #  [1]  1  4  9 16

Installing

Install with either:

install.packages("wrapr")

or

# install.packages("devtools")
devtools::install_github("WinVector/wrapr")

More Information

More details on wrapr capabilities can be found in the following two technical articles:

Note

Note: wrapr is meant only for "tame names", that is: variables and column names that are also valid simple (without quotes) R variables names.

Copy Link

Version

Install

install.packages('wrapr')

Monthly Downloads

2,731

Version

1.5.0

License

GPL-3

Issues

Pull Requests

Stars

Forks

Maintainer

John Mount

Last Published

June 13th, 2018

Functions in wrapr (1.5.0)

grepdf

Grep for column names from a data.frame
DebugFnWE

Wrap function to capture arguments and environment of exception throwing function call for later debugging.
DebugPrintFnE

Capture arguments and environment of exception throwing function call for later debugging.
map_upper

Map up-cased symbol names to referenced values if those values are string scalars (else throw).
draw_frame

Render a data.frame in build_frame format.
DebugPrintFn

Capture arguments of exception throwing function call for later debugging.
apply_right.default

S3 dispatch on type of pipe_right_argument.
mapsyms

Map symbol names to referenced values if those values are string scalars (else throw).
invert_perm

Invert a permuation.
qc

Quoting version of c() array concatinator.
qae

Quote assignment expressions (name = expr, name := expr, name %:=% expr).
execute_parallel

Execute f in parallel partition ed by partition_column.
DebugFnE

Capture arguments and environment of exception throwing function call for later debugging.
DebugFn

Capture arguments of exception throwing function call for later debugging.
named_map_builder

Named map builder.
coalesce

Coalesce values (NULL/NA on left replaced by values on the right).
build_frame

Build a (non-empty) data.frame.
uniques

Strict version of unique (without ...).
buildNameCallback

Build a custom writeback function that writes state into a user named variable.
partition_tables

Partition as set of talbes into a list.
qchar_frame

Build a (non-empty) quoted data.frame.
view

Invoke a spreadsheet like viewer when appropriate.
qe

Quote expressions.
lambda

Build an anonymous function.
mk_tmp_name_source

Produce a temp name generator with a given prefix.
qs

Quote a string.
pipe_step

pipe_step
match_order

Match one order to another.
pipe_step.default

pipe_step
makeFunction_se

Build an anonymous function.
let

Execute expr with name substitutions specified in alias.
wrapr

wrapr: Wrap R Functions for Debugging and Parametric Programming
reduceexpand

Use function to reduce or expand arguments.
wrapr_function

wrapr_function
map_to_char

format a map.
restrictToNameAssignments

Restrict an alias mapping list to things that look like name assignments
stop_if_dot_args

Stop with message if dot_args is a non-trivial list.
wrapr_function.default

wrapr_function
DebugFnW

Wrap a function for debugging.
apply_left.default

S3 dispatch on class of pipe_left_arg.
apply_right

S3 dispatch on class of pipe_right_argument.
add_name_column

Add list name as a column to a list of data.frames.
apply_left

S3 dispatch on class of pipe_left_arg.
defineLambda

Define lambda function building function.
dot_arrow

Pipe operator ("dot arrow").