| Title: | Helper Functions for 'mlr3' | 
| Version: | 0.19.0 | 
| Description: | Frequently used helper functions and assertions used in 'mlr3' and its companion packages. Comes with helper functions for functional programming, for printing, to work with 'data.table', as well as some generally useful 'R6' classes. This package also supersedes the package 'BBmisc'. | 
| License: | LGPL-3 | 
| URL: | https://mlr3misc.mlr-org.com, https://github.com/mlr-org/mlr3misc | 
| BugReports: | https://github.com/mlr-org/mlr3misc/issues | 
| Depends: | R (≥ 3.3.0) | 
| Imports: | backports (≥ 0.1.5), checkmate, cli, data.table, digest, methods, R6 | 
| Suggests: | callr, evaluate, mirai, paradox, testthat (≥ 3.0.0) | 
| Config/testthat/edition: | 3 | 
| Config/testthat/parallel: | true | 
| Encoding: | UTF-8 | 
| NeedsCompilation: | yes | 
| RoxygenNote: | 7.3.2 | 
| Collate: | 'Dictionary.R' 'named_list.R' 'Callback.R' 'Context.R' 'as_factor.R' 'as_short_string.R' 'assert_ro_binding.R' 'calculate_hash.R' 'capitalize.R' 'cat_cli.R' 'catn.R' 'check_operators.R' 'check_packages_installed.R' 'chunk.R' 'compose.R' 'compute_mode.R' 'conditions.R' 'count_missing.R' 'crate.R' 'cross_join.R' 'dictionary_sugar.R' 'did_you_mean.R' 'distinct_values.R' 'encapsulate.R' 'enframe.R' 'extract_vars.R' 'format_bib.R' 'formulate.R' 'get_private.R' 'get_seed.R' 'has_element.R' 'ids.R' 'insert_named.R' 'invoke.R' 'is_scalar_na.R' 'keep_in_bounds.R' 'leanify.R' 'load_dataset.R' 'map_values.R' 'modify.R' 'named_vector.R' 'names2.R' 'nin.R' 'open_help.R' 'printf.R' 'probe.R' 'purrr_map.R' 'rcbind.R' 'rd_info.R' 'recycle_vector.R' 'register_namespace_callback.R' 'remove_named.R' 'reorder_vector.R' 'require_namespaces.R' 'rowwise_table.R' 'seq.R' 'set_class.R' 'set_names.R' 'set_params.R' 'shuffle.R' 'str_collapse.R' 'str_indent.R' 'str_trunc.R' 'strip_srcrefs.R' 'to_decimal.R' 'topo_sort.R' 'transpose.R' 'unnest.R' 'which_max.R' 'with_package.R' 'zzz.R' | 
| Packaged: | 2025-09-12 13:47:20 UTC; marc | 
| Author: | Marc Becker | 
| Maintainer: | Marc Becker <marcbecker@posteo.de> | 
| Repository: | CRAN | 
| Date/Publication: | 2025-09-12 14:30:02 UTC | 
mlr3misc: Helper Functions for 'mlr3'
Description
 
Frequently used helper functions and assertions used in 'mlr3' and its companion packages. Comes with helper functions for functional programming, for printing, to work with 'data.table', as well as some generally useful 'R6' classes. This package also supersedes the package 'BBmisc'.
Author(s)
Maintainer: Marc Becker marcbecker@posteo.de (ORCID)
Authors:
- Michel Lang michellang@gmail.com (ORCID) 
- Patrick Schratz patrick.schratz@gmail.com (ORCID) 
See Also
Useful links:
- Report bugs at https://github.com/mlr-org/mlr3misc/issues 
Negated in-operator
Description
This operator is equivalent to !(x %in% y).
Usage
x %nin% y
Arguments
| x | ( | 
| y | ( | 
Callback
Description
Callbacks allow to customize the behavior of processes in mlr3 packages. The following packages implement callbacks:
-  CallbackOptimizationin bbotk.
-  CallbackTuningin mlr3tuning.
-  CallbackTorchinmlr3torch
Details
Callback is an abstract base class.
A subclass inherits from Callback and adds stages as public members.
Names of stages should start with "on_".
For each subclass a function should be implemented to create the callback.
For an example on how to implement such a function see callback_optimization() in bbotk.
Callbacks are executed at stages using the function call_back().
A Context defines which information can be accessed from the callback.
Public fields
- id
- ( - character(1))
 Identifier of the callback.
- label
- ( - character(1))
 Label for this object. Can be used in tables, plot and text output instead of the ID.
- man
- ( - character(1))
 String in the format- [pkg]::[topic]pointing to a manual page for this object. Defaults to- NA, but can be set by child classes.
- state
- (named - list())
 A callback can write data into the state.
Methods
Public methods
Method new()
Creates a new instance of this R6 class.
Usage
Callback$new(id, label = NA_character_, man = NA_character_)
Arguments
- id
- ( - character(1))
 Identifier for the new instance.
- label
- ( - character(1))
 Label for the new instance.
- man
- ( - character(1))
 String in the format- [pkg]::[topic]pointing to a manual page for this object. The referenced help package can be opened via method- $help().
Method format()
Helper for print outputs.
Usage
Callback$format(...)
Arguments
- ...
- (ignored). 
Method print()
Printer.
Usage
Callback$print(...)
Arguments
- ...
- (ignored). 
Method help()
Opens the corresponding help page referenced by field $man.
Usage
Callback$help()
Method call()
Call the specific stage for a given context.
Usage
Callback$call(stage, context)
Arguments
- stage
- ( - character(1))
 stage.
- context
- ( - Context)
 Context.
Method clone()
The objects of this class are cloneable with this method.
Usage
Callback$clone(deep = FALSE)
Arguments
- deep
- Whether to make a deep clone. 
Examples
library(R6)
# implement callback subclass
CallbackExample = R6Class("CallbackExample",
  inherit = mlr3misc::Callback,
  public = list(
    on_stage_a = NULL,
    on_stage_b = NULL,
    on_stage_c = NULL
  )
)
Context
Description
Context objects allow Callback objects to access and modify data. The following packages implement context subclasses:
-  ContextOptimizationin bbotk.
-  ContextEvalin mlr3tuning.
-  ContextTorchinmlr3torch
Details
Context is an abstract base class. A subclass inherits from Context. Data is stored in public fields. Access to the data can be restricted with active bindings (see example).
Public fields
- id
- ( - character(1))
 Identifier of the object. Used in tables, plot and text output.
- label
- ( - character(1))
 Label for this object. Can be used in tables, plot and text output instead of the ID.
Methods
Public methods
Method new()
Creates a new instance of this R6 class.
Usage
Context$new(id, label = NA_character_)
Arguments
- id
- ( - character(1))
 Identifier for the new instance.
- label
- ( - character(1))
 Label for the new instance.
Method format()
Format object as simple string.
Usage
Context$format(...)
Arguments
- ...
- (ignored). 
Method print()
Print object.
Usage
Context$print()
Method clone()
The objects of this class are cloneable with this method.
Usage
Context$clone(deep = FALSE)
Arguments
- deep
- Whether to make a deep clone. 
Examples
library(data.table)
library(R6)
# data table with column x an y
data = data.table(x = runif(10), y = sample(c("A", "B"), 10, replace = TRUE))
# context only allows to access column y
ContextExample = R6Class("ContextExample",
  inherit = Context,
  public = list(
    data = NULL,
    initialize = function(data) {
        self$data = data
    }
  ),
  active = list(
    y = function(rhs) {
      if (missing(rhs)) return(self$data$y)
      self$data$y = rhs
    }
  )
)
context = ContextExample$new(data)
# retrieve content of column y
context$y
# change content of column y to "C"
context$y = "C"
Key-Value Storage
Description
A key-value store for R6::R6 objects. On retrieval of an object, the following applies:
- If the object is a - R6ClassGenerator, it is initialized with- new().
- If the object is a function, it is called and must return an instance of a R6::R6 object. 
- If the object is an instance of a R6 class, it is returned as-is. 
Default argument required for construction can be stored alongside their constructors by passing them to $add().
S3 methods
-  as.data.table(d)
 Dictionary ->data.table::data.table()
 Converts the dictionary to adata.table::data.table().
Public fields
- items
- ( - environment())
 Stores the items of the dictionary
Methods
Public methods
Method new()
Construct a new Dictionary.
Usage
Dictionary$new()
Method format()
Format object as simple string.
Usage
Dictionary$format(...)
Arguments
- ...
- (ignored). 
Method print()
Print object.
Usage
Dictionary$print()
Method keys()
Returns all keys which comply to the regular expression pattern.
If pattern is NULL (default), all keys are returned.
Usage
Dictionary$keys(pattern = NULL)
Arguments
- pattern
- ( - character(1)).
Returns
character() of keys.
Method has()
Returns a logical vector with TRUE at its i-th position if the i-th key exists.
Usage
Dictionary$has(keys)
Arguments
- keys
- ( - character()).
Returns
logical().
Method get()
Retrieves object with key key from the dictionary.
Additional arguments must be named and are passed to the constructor of the stored object.
Usage
Dictionary$get(key, ..., .prototype = FALSE)
Arguments
- key
- ( - character(1)).
- ...
- ( - any)
 Passed down to constructor.
- .prototype
- ( - logical(1))
 Whether to construct a prototype object.
Returns
Object with corresponding key.
Method mget()
Returns objects with keys keys in a list named with keys.
Additional arguments must be named and are passed to the constructors of the stored objects.
Usage
Dictionary$mget(keys, ...)
Arguments
- keys
- ( - character()).
- ...
- ( - any)
 Passed down to constructor.
Returns
Named list() of objects with corresponding keys.
Method add()
Adds object value to the dictionary with key key, potentially overwriting a previously stored item.
Additional arguments in ... must be named and are passed as default arguments to value during construction.
Usage
Dictionary$add(key, value, ..., .prototype_args = list())
Arguments
- key
- ( - character(1)).
- value
- ( - any).
- ...
- ( - any)
 Passed down to constructor.
- .prototype_args
- ( - list())
 List of arguments to construct a prototype object. Can be used when objects have construction arguments without defaults.
Returns
Dictionary.
Method remove()
Removes objects with from the dictionary.
Usage
Dictionary$remove(keys)
Arguments
- keys
- ( - character())
 Keys of objects to remove.
Returns
Dictionary.
Method prototype_args()
Returns the arguments required to construct a simple prototype of the object.
Usage
Dictionary$prototype_args(key)
Arguments
- key
- ( - character(1))
 Key of object to query for required arguments.
Returns
list() of prototype arguments
Method clone()
The objects of this class are cloneable with this method.
Usage
Dictionary$clone(deep = FALSE)
Arguments
- deep
- Whether to make a deep clone. 
Examples
library(R6)
item1 = R6Class("Item", public = list(x = 1))
item2 = R6Class("Item", public = list(x = 2))
d = Dictionary$new()
d$add("a", item1)
d$add("b", item2)
d$add("c", item1$new())
d$keys()
d$get("a")
d$mget(c("a", "b"))
Convert to a Callback
Description
Convert object to a Callback or a list of Callback.
Usage
as_callback(x, ...)
## S3 method for class 'Callback'
as_callback(x, clone = FALSE, ...)
as_callbacks(x, clone = FALSE, ...)
## S3 method for class ''NULL''
as_callbacks(x, ...)
## S3 method for class 'list'
as_callbacks(x, clone = FALSE, ...)
## S3 method for class 'Callback'
as_callbacks(x, clone = FALSE, ...)
Arguments
| x | ( | 
| ... | ( | 
| clone | ( | 
Value
Convert to Factor
Description
Converts a vector to a factor() and ensures that levels are
in the order of the provided levels.
Usage
as_factor(x, levels, ordered = is.ordered(x))
Arguments
| x | (atomic  | 
| levels | ( | 
| ordered | ( | 
Value
(factor()).
Examples
x = factor(c("a", "b"))
y = factor(c("a", "b"), levels = c("b", "a"))
# x with the level order of y
as_factor(x, levels(y))
# y with the level order of x
as_factor(y, levels(x))
Convert R Object to a Descriptive String
Description
This function is intended to be convert any R object to a short descriptive string,
e.g. in base::print() functions.
The following rules apply:
- if - xis- atomic()with length 0 or 1: printed as-is.
- if - xis- atomic()with length greater than 1,- xis collapsed with- ",", and the resulting string is truncated to- trunc_widthcharacters.
- if - xis an expression: converted to character.
- Otherwise: the class is printed. 
If x is a list, the above rules are applied (non-recursively) to its elements.
Usage
as_short_string(x, width = 30L, num_format = "%.4g")
Arguments
| x | ( | 
| width | ( | 
| num_format | ( | 
Value
(character(1)).
Examples
as_short_string(list(a = 1, b = NULL, "foo", c = 1:10))
Assertions for Callbacks
Description
Assertions for Callback class.
Usage
assert_callback(callback, null_ok = FALSE)
assert_callbacks(callbacks)
Arguments
| callback | (Callback). | 
| null_ok | ( | 
| callbacks | (list of Callback). | 
Value
Assertion for Active Bindings in R6 Classes
Description
This assertion is intended to be called in active bindings of an
R6::R6Class which does not allow assignment.
If rhs is not missing, an exception is raised.
Usage
assert_ro_binding(rhs)
Arguments
| rhs | ( | 
Value
Nothing.
Calculate a Hash for Multiple Objects
Description
Calls digest::digest() using the 'xxhash64' algorithm after applying hash_input to each object.
To customize the hashing behaviour, you can overwrite hash_input for specific classes.
For data.table objects, hash_input is applied to all columns, so you can overwrite hash_input for
columns of a specific class.
Objects that don't have a specific method are hashed as is.
Usage
calculate_hash(...)
Arguments
| ... | ( | 
Value
(character(1)).
Examples
calculate_hash(iris, 1, "a")
Call Callbacks
Description
Call list of callbacks with context at specific stage.
Usage
call_back(stage, callbacks, context)
Capitalize the First Letter of Strings
Description
Takes a character vector and changes the first letter of each element to uppercase.
Usage
capitalize(str)
Arguments
| str | ( | 
Value
Character vector, same length as str.
Examples
capitalize("foo bar")
Function to transform message to output
Description
Wrapper around cli::cli_format_method().
Uses base::cat() to transform the printout from a message to an output with a line break.
Usage
cat_cli(expr)
Arguments
| expr | ( | 
Examples
cat_cli({
  cli::cli_h1("Heading")
  cli::cli_li(c("x", "y"))
})
Function for Formatted Output
Description
Wrapper around base::cat() with a line break.
Elements are converted to character and concatenate with base::paste0().
If a vector is passed, elements are collapsed with line breaks.
Usage
catn(..., file = "")
Arguments
| ... | ( | 
| file | ( | 
Examples
catn(c("Line 1", "Line 2"))
Logical Check Operators
Description
Logical AND and OR operators for check_*-functions from checkmate.
Usage
lhs %check&&% rhs
lhs %check||% rhs
Arguments
| lhs,rhs | ( | 
Value
Either TRUE or a character(1).
Examples
library(checkmate)
x = c(0, 1, 2, 3)
check_numeric(x) %check&&% check_names(names(x), "unnamed")  # is TRUE
check_numeric(x) %check&&% check_true(all(x < 0))  # fails
check_numeric(x) %check||% check_character(x)  # is TRUE
check_number(x) %check||% check_flag(x)  # fails
Check that packages are installed, without loading them
Description
Calls find.package() to check if the all packages are installed.
Usage
check_packages_installed(
  pkgs,
  warn = TRUE,
  msg = "The following packages are required but not installed: %s"
)
Arguments
| pkgs | ( | 
| warn | ( | 
| msg | ( | 
Value
(logical()) named with package names. TRUE if the respective package is installed, FALSE otherwise.
Examples
check_packages_installed(c("mlr3misc", "foobar"), warn = FALSE)
# catch warning
tryCatch(check_packages_installed(c("mlr3misc", "foobaaar")),
  packageNotFoundWarning = function(w) as.character(w))
Chunk Vectors
Description
Chunk atomic vectors into parts of roughly equal size.
chunk() takes a vector length n and returns an integer with chunk numbers.
chunk_vector() uses base::split() and chunk() to split an atomic vector into chunks.
Usage
chunk_vector(x, n_chunks = NULL, chunk_size = NULL, shuffle = TRUE)
chunk(n, n_chunks = NULL, chunk_size = NULL, shuffle = TRUE)
Arguments
| x | ( | 
| n_chunks | ( | 
| chunk_size | ( | 
| shuffle | ( | 
| n | ( | 
Value
chunk() returns a integer() of chunk indices,
chunk_vector() a list() of integer vectors.
Examples
x = 1:11
ch = chunk(length(x), n_chunks = 2)
table(ch)
split(x, ch)
chunk_vector(x, n_chunks = 2)
chunk_vector(x, n_chunks = 3, shuffle = TRUE)
Syntactic Sugar for Callback Construction
Description
Functions to retrieve callbacks from mlr_callbacks and set parameters in one go.
Usage
clbk(.key, ...)
clbks(.keys)
Arguments
| .key | ( | 
| ... | (named  | 
| .keys | ( | 
See Also
Callback call_back
Apply Functions in the spirit of 'purrr'
Description
map-like functions, similar to the ones implemented in purrr:
-  map()returns the results of.fapplied to.xas list. If.fis not a function,mapwill call[[on all elements of.xusing the value of.fas index.
-  imap()applies.fto each value of.x(passed as first argument) and its name (passed as second argument). If.xdoes not have names, a sequence along.xis passed as second argument instead.
-  pmap()expects.xto be a list of vectors of equal length, and then applies.fto the first element of each vector of.x, then the second element of.x, and so on.
-  map_if()applies.fto each element of.xwhere the predicate.pevaluates toTRUE.
-  map_at()applies.fto each element of.xreferenced by.at. All other elements remain unchanged.
-  keep()keeps those elements of.xwhere predicate.pevaluates toTRUE.
-  discard()discards those elements of.xwhere predicate.pevaluates toTRUE.
-  compact()discards elements of.xthat areNULL.
-  every()isTRUEif predicate.pevaluates toTRUEfor each.x.
-  some()isTRUEif predicate.pevaluates toTRUEfor at least one.x.
-  detect()returns the first element where predicate.pevaluates toTRUE.
-  walk(),iwalk()andpwalk()are the counterparts tomap(),imap()andpmap(), but just visit (or change by reference) the elements of.x. They return input.xinvisibly.
Additionally, the functions map(), imap() and pmap() have type-safe variants with the following suffixes:
-  *_lgl()returns alogical(length(.x)).
-  *_int()returns ainteger(length(.x)).
-  *_dbl()returns adouble(length(.x)).
-  *_chr()returns acharacter(length(.x)).
-  *_br()returns an object where the results of.fare put together withbase::rbind().
-  *_bc()returns an object where the results of.fare put together withbase::cbind().
-  *_dtr()returns adata.table::data.table()where the results of.fare put together in anbase::rbind()fashion.
-  *_dtc()returns adata.table::data.table()where the results of.fare put together in anbase::cbind()fashion.
Usage
map(.x, .f, ...)
map_lgl(.x, .f, ...)
map_int(.x, .f, ...)
map_dbl(.x, .f, ...)
map_chr(.x, .f, ...)
map_br(.x, .f, ...)
map_bc(.x, .f, ...)
map_dtr(.x, .f, ..., .fill = FALSE, .idcol = NULL)
map_dtc(.x, .f, ...)
pmap(.x, .f, ...)
pmap_lgl(.x, .f, ...)
pmap_int(.x, .f, ...)
pmap_dbl(.x, .f, ...)
pmap_chr(.x, .f, ...)
pmap_dtr(.x, .f, ..., .fill = FALSE, .idcol = NULL)
pmap_dtc(.x, .f, ...)
imap(.x, .f, ...)
imap_lgl(.x, .f, ...)
imap_int(.x, .f, ...)
imap_dbl(.x, .f, ...)
imap_chr(.x, .f, ...)
imap_dtr(.x, .f, ..., .fill = FALSE, .idcol = NULL)
imap_dtc(.x, .f, ...)
keep(.x, .f, ...)
discard(.x, .p, ...)
compact(.x)
map_if(.x, .p, .f, ...)
## Default S3 method:
map_if(.x, .p, .f, ...)
map_at(.x, .at, .f, ...)
every(.x, .p, ...)
some(.x, .p, ...)
detect(.x, .p, ...)
walk(.x, .f, ...)
iwalk(.x, .f, ...)
pwalk(.x, .f, ...)
Arguments
| .x | ( | 
| .f | ( | 
| ... | ( | 
| .fill | ( | 
| .idcol | ( | 
| .p | ( | 
| .at | ( | 
Composition of Functions
Description
Composes two or more functions into a single function. The returned function calls all provided functions in reverse order: The return value of the last function servers as input for the next to last function, and so on.
Usage
compose(...)
Arguments
| ... | ( | 
Value
(function()) which calls the functions provided via ...
in reverse order.
Examples
f = compose(function(x) x + 1, function(x) x / 2)
f(10)
Compute The Mode
Description
Computes the mode (most frequent value) of an atomic vector.
Usage
compute_mode(x, ties_method = "random", na_rm = TRUE)
Arguments
| x | ( | 
| ties_method | ( | 
| na_rm | ( | 
Value
(vector(1)): mode value.
Examples
compute_mode(c(1, 1, 1, 2, 2, 2, 3))
compute_mode(c(1, 1, 1, 2, 2, 2, 3), ties_method = "last")
compute_mode(c(1, 1, 1, 2, 2, 2, 3), ties_method = "random")
Count Missing Values in a Vector
Description
Same as sum(is.na(x)), but without the allocation.
Usage
count_missing(x)
Arguments
| x | 
 | 
Value
(integer(1)) number of missing values.
Examples
count_missing(c(1, 2, NA, 4, NA))
Isolate a Function from its Environment
Description
Put a function in a "lean" environment that does not carry unnecessary baggage with it (e.g. references to datasets).
Usage
crate(.fn, ..., .parent = topenv(parent.frame()), .compile = TRUE)
Arguments
| .fn | ( | 
| ... | ( | 
| .parent | ( | 
| .compile | ( | 
Examples
meta_f = function(z) {
  x = 1
  y = 2
  crate(function() {
    c(x, y, z)
  }, x)
}
x = 100
y = 200
z = 300
f = meta_f(1)
f()
Cross-Join for data.table
Description
A safe version of data.table::CJ() in case a column is called
sorted or unique.
Usage
cross_join(dots, sorted = TRUE, unique = FALSE)
Arguments
| dots | (named  | 
| sorted | ( | 
| unique | ( | 
Value
Examples
cross_join(dots = list(sorted = 1:3, b = letters[1:2]))
A Quick Way to Initialize Objects from Dictionaries
Description
Given a Dictionary, retrieve objects with provided keys.
-  dictionary_sugar_get()to retrieve a single object with key.key.
-  dictionary_sugar_mget()to retrieve a list of objects with keys.keys.
-  dictionary_sugar()is deprecated in favor ofdictionary_sugar_get().
- If - .keyor- .keysis missing, the dictionary itself is returned.
Arguments in ... must be named and are consumed in the following order:
- All arguments whose names match the name of an argument of the constructor are passed to the - $get()method of the Dictionary for construction.
- All arguments whose names match the name of a parameter of the paradox::ParamSet of the constructed object are set as parameters. If there is no paradox::ParamSet in - obj$param_set, this step is skipped.
- All remaining arguments are assumed to be regular fields of the constructed R6 instance, and are assigned via - <-.
Usage
dictionary_sugar_get(dict, .key, ..., .dicts_suggest = NULL)
dictionary_sugar(dict, .key, ..., .dicts_suggest = NULL)
dictionary_sugar_mget(dict, .keys, ..., .dicts_suggest = NULL)
Arguments
| dict | (Dictionary). | 
| .key | ( | 
| ... | ( | 
| .dicts_suggest | (named  | 
| .keys | ( | 
Value
Examples
library(R6)
item = R6Class("Item", public = list(x = 0))
d = Dictionary$new()
d$add("key", item)
dictionary_sugar_get(d, "key", x = 2)
A Quick Way to Initialize Objects from Dictionaries with Incremented ID
Description
Covenience wrapper around dictionary_sugar_get and dictionary_sugar_mget to allow easier avoidance of ID
clashes which is useful when the same object is used multiple times and the ids have to be unique.
Let <key> be the key of the object to retrieve. When passing the <key>_<n> to this
function, where <n> is any natural number, the object with key <key> is retrieved and the
suffix _<n> is appended to the id after the object is constructed.
Usage
dictionary_sugar_inc_get(dict, .key, ..., .dicts_suggest = NULL)
dictionary_sugar_inc_mget(dict, .keys, ..., .dicts_suggest = NULL)
Arguments
| dict | (Dictionary) | 
| .key | ( | 
| ... | ( | 
| .dicts_suggest | (named  | 
| .keys | ( | 
Value
An element from the dictionary.
Examples
d = Dictionary$new()
d$add("a", R6::R6Class("A", public = list(id = "a")))
d$add("b", R6::R6Class("B", public = list(id = "c")))
obj1 = dictionary_sugar_inc_get(d, "a_1")
obj1$id
obj2 = dictionary_sugar_inc_get(d, "b_1")
obj2$id
objs = dictionary_sugar_inc_mget(d, c("a_10", "b_2"))
map(objs, "id")
Suggest Alternatives
Description
Helps to suggest alternatives from a list of strings, based on the string similarity in utils::adist().
Usage
did_you_mean(str, candidates)
Arguments
| str | ( | 
| candidates | ( | 
Value
(character(1)). Either a phrase suggesting one or more candidates from candidates,
or an empty string if no close match is found.
Examples
did_you_mean("yep", c("yes", "no"))
Get Distinct Values
Description
Extracts the distinct values of an atomic vector, with the possibility to drop levels and remove missing values.
Usage
distinct_values(x, drop = TRUE, na_rm = TRUE)
Arguments
| x | (atomic  | 
| drop | ::  | 
| na_rm | ::  | 
Value
(atomic vector()) with distinct values in no particular order.
Examples
# for factors:
x = factor(c(letters[1:2], NA), levels = letters[1:3])
distinct_values(x)
distinct_values(x, na_rm = FALSE)
distinct_values(x, drop = FALSE)
distinct_values(x, drop = FALSE, na_rm = FALSE)
# for logicals:
distinct_values(TRUE, drop = FALSE)
# for numerics:
distinct_values(sample(1:3, 10, replace = TRUE))
Encapsulate Function Calls for Logging
Description
Evaluates a function while both recording an output log and measuring the elapsed time. There are currently three different modes implemented to encapsulate a function call:
-  "none": Just runs the call in the current session and measures the elapsed time. Does not keep a log, output is printed directly to the console. Works well together withtraceback().
-  "try": Similar to"none", but catches error. Output is printed to the console and not logged.
-  "evaluate": Uses the package evaluate to call the function, measure time and do the logging.
-  "callr": Uses the package callr to call the function, measure time and do the logging. This encapsulation spawns a separate R session in which the function is called. While this comes with a considerable overhead, it also guards your session from being teared down by segfaults.
-  "mirai": Uses the package mirai to call the function, measure time and do the logging. This encapsulation calls the function in amiraion adaemon. Thedaemoncan be pre-started viadaemons(1), otherwise a new R session will be created for each encapsulated call. If adaemonis already running, it will be used to execute all calls. Using mirai is similarly safe as callr but much faster if several function calls are encapsulated one after the other on the same daemon.
Usage
encapsulate(
  method,
  .f,
  .args = list(),
  .opts = list(),
  .pkgs = character(),
  .seed = NA_integer_,
  .timeout = Inf,
  .compute = "default"
)
Arguments
| method | ( | 
| .f | ( | 
| .args | ( | 
| .opts | (named  | 
| .pkgs | ( | 
| .seed | ( | 
| .timeout | ( | 
| .compute | ( | 
Value
(named list()) with four fields:
-  "result": the return value of.f
-  "elapsed": elapsed time in seconds. Measured asproc.time()difference before/after the function call.
-  "log":data.table()with columns"class"(ordered factor with levels"output","warning"and"error") and"message"(character()).
-  "condition": the condition object if an error occurred, otherwiseNULL.
Examples
f = function(n) {
  message("hi from f")
  if (n > 5) {
    stop("n must be <= 5")
  }
  runif(n)
}
encapsulate("none", f, list(n = 1), .seed = 1)
if (requireNamespace("evaluate", quietly = TRUE)) {
  encapsulate("evaluate", f, list(n = 1), .seed = 1)
}
if (requireNamespace("callr", quietly = TRUE)) {
  encapsulate("callr", f, list(n = 1), .seed = 1)
}
Convert a Named Vector into a data.table and Vice Versa
Description
enframe() returns a data.table::data.table() with two columns:
The names of x (or seq_along(x) if unnamed) and the values of x.
deframe() converts a two-column data.frame to a named vector.
If the data.frame only has a single column, an unnamed vector is returned.
Usage
enframe(x, name = "name", value = "value")
deframe(x)
Arguments
| x | ( | 
| name | ( | 
| value | ( | 
Value
data.table::data.table() or named vector.
Examples
x = 1:3
enframe(x)
x = set_names(1:3, letters[1:3])
enframe(x, value = "x_values")
Extract Variables from a Formula
Description
Given a formula() f, returns all variables used on the left-hand side and
right-hand side of the formula.
Usage
extract_vars(f)
Arguments
| f | ( | 
Value
(list()) with elements "lhs" and "rhs", both character().
Examples
extract_vars(Species ~ Sepal.Width + Sepal.Length)
extract_vars(Species ~ .)
Format Bibentries in Roxygen
Description
Operates on a named list of bibentry() entries and formats them nicely for
documentation with roxygen2.
-  format_bib()is intended to be called in the@referencessection and prints the complete entry usingtoRd().
-  cite_bib()returns the family name of the first author (if available, falling back to the complete author name if not applicable) and the year in format"[LastName] (YYYY)".
Usage
format_bib(..., bibentries = NULL, envir = parent.frame())
cite_bib(..., bibentries = NULL, envir = parent.frame())
Arguments
| ... | ( | 
| bibentries | (named  | 
| envir | ( | 
Value
(character(1)).
Examples
bibentries = list(checkmate = citation("checkmate"), R = citation())
format_bib("checkmate")
format_bib("R")
cite_bib("checkmate")
cite_bib("checkmate", "R")
Create Formulas
Description
Given the left-hand side and right-hand side as character vectors, generates a new
stats::formula().
Usage
formulate(lhs = character(), rhs = character(), env = NULL, quote = "right")
Arguments
| lhs | ( | 
| rhs | ( | 
| env | ( | 
| quote | ( | 
Value
Examples
formulate("Species", c("Sepal.Length", "Sepal.Width"))
formulate(rhs = c("Sepal.Length", "Sepal.Width"))
Extract Private Fields of R6 Objects
Description
Provides access to the private members of R6::R6Class objects.
Usage
get_private(x)
Arguments
| x | ( | 
Value
environment() of private members, or NULL if x is not an R6 object.
Examples
library(R6)
item = R6Class("Item", private = list(x = 1))$new()
get_private(item)$x
Assign Value to Private Field
Description
Convenience function to assign a value to a private field of an R6::R6Class instance.
Usage
get_private(x, which) <- value
Arguments
| x | ( | 
| which | (character(1)) | 
| value | ( | 
Value
The R6 instance x, modified in-place. If it is not an R6 instance, NULL is returned.
Examples
library(R6)
item = R6Class("Item", private = list(x = 1))$new()
get_private(item)$x
get_private(item, "x") = 2L
get_private(item)$x
Get the Random Seed
Description
Retrieves the current random seed (.Random.seed in the global environment),
and initializes the RNG first, if necessary.
Usage
get_seed()
Value
integer(). Depends on the base::RNGkind().
Examples
str(get_seed())
Check if an Object is Element of a List
Description
Simply checks if a list contains a given object.
- NB1: Objects are compared with identity. 
- NB2: Only use this on lists with complex objects, for simpler structures there are faster operations. 
- NB3: Clones of R6 objects are not detected. 
Usage
has_element(.x, .y)
Arguments
| .x | ( | 
| .y | ( | 
Examples
has_element(list(1, 2, 3), 1)
Hash Input
Description
Returns the part of an object to be used to calculate its hash.
Usage
hash_input(x)
## S3 method for class ''function''
hash_input(x)
## S3 method for class 'data.table'
hash_input(x)
## Default S3 method:
hash_input(x)
Arguments
| x | ( | 
Methods (by class)
-  hash_input(`function`): The formals and the body are returned in alist(). This ensures that the bytecode or parent environment are not included. in the hash.
-  hash_input(data.table): The data.table is converted to a regular list andhash_input()is applied to all elements. The conversion to a list ensures that keys and indices are not included in the hash.
-  hash_input(default): Returns the object as is.
Extract ids from a List of Objects
Description
None.
Usage
ids(xs)
Arguments
| xs | ( | 
Value
(character()).
Examples
xs = list(a = list(id = "foo", a = 1), bar = list(id = "bar", a = 2))
ids(xs)
Insert or Remove Named Elements
Description
Insert elements from y into x by name, or remove elements from x by name.
Works for vectors, lists, environments and data frames and data tables.
Objects with reference semantic (environment() and data.table::data.table()) might be modified in-place.
Usage
insert_named(x, y)
## S3 method for class ''NULL''
insert_named(x, y)
## Default S3 method:
insert_named(x, y)
## S3 method for class 'environment'
insert_named(x, y)
## S3 method for class 'data.frame'
insert_named(x, y)
## S3 method for class 'data.table'
insert_named(x, y)
remove_named(x, nn)
## S3 method for class 'environment'
remove_named(x, nn)
## S3 method for class 'data.frame'
remove_named(x, nn)
## S3 method for class 'data.table'
remove_named(x, nn)
Arguments
| x | ( | 
| y | ( | 
| nn | ( | 
Value
Modified object.
Examples
x = list(a = 1, b = 2)
insert_named(x, list(b = 3, c = 4))
remove_named(x, "b")
Invoke a Function Call
Description
An alternative interface for do.call(), similar to the deprecated function in purrr.
This function tries hard to not evaluate the passed arguments too eagerly which is
important when working with large R objects.
It is recommended to pass all arguments named in order to not rely on positional argument matching.
Usage
invoke(
  .f,
  ...,
  .args = list(),
  .opts = list(),
  .seed = NA_integer_,
  .timeout = Inf
)
Arguments
| .f | ( | 
| ... | ( | 
| .args | ( | 
| .opts | (named  | 
| .seed | ( | 
| .timeout | ( | 
Examples
invoke(mean, .args = list(x = 1:10))
invoke(mean, na.rm = TRUE, .args = list(1:10))
Check for a Single Scalar Value
Description
Check for a Single Scalar Value
Usage
is_scalar_na(x)
Arguments
| x | ( | 
Value
(logical(1)).
Remove All Elements Out Of Bounds
Description
Filters vector x to only keep elements which are in bounds [lower, upper].
This is equivalent to the following, but tries to avoid unnecessary allocations:
x[!is.na(x) & x >= lower & x <= upper]
Currently only works for integer x.
Usage
keep_in_bounds(x, lower, upper)
Arguments
| x | ( | 
| lower | ( | 
| upper | ( | 
Value
(integer()) with only values in [lower, upper].
Examples
keep_in_bounds(sample(20), 5, 10)
Move all methods of an R6 Class to an environment
Description
leanify_r6 moves the content of an R6::R6Class's functions to an environment,
usually the package's namespace, to save space during serialization of R6 objects.
leanify_package move all methods of all R6 Classes to an environment.
The function in the class (i.e. the object generator) is replaced by a stump function that does nothing except calling the original function that now resides somewhere else.
It is possible to call this function after the definition of an R6::R6
class inside a package, but it is preferred to use leanify_package()
to just leanify all R6::R6 classes inside a package.
Usage
leanify_r6(cls, env = cls$parent_env)
leanify_package(pkg_env = parent.frame(), skip_if = function(x) FALSE)
Arguments
| cls | (R6::R6Class) | 
| env | ( | 
| pkg_env | ::  | 
| skip_if | ::  | 
Value
NULL.
Retrieve a Single Data Set
Description
Loads a data set with name id from package package and returns it.
If the package is not installed, an error with condition "packageNotFoundError" is raised.
The name of the missing packages is stored in the condition as packages.
Usage
load_dataset(id, package, keep_rownames = FALSE)
Arguments
| id | ( | 
| package | ( | 
| keep_rownames | ( | 
Examples
head(load_dataset("iris", "datasets"))
Replace Elements of Vectors with New Values
Description
Replaces all values in x which match old with values in new.
Values are matched with base::match().
Usage
map_values(x, old, new)
Arguments
| x | ( | 
| old | ( | 
| new | ( | 
Value
(vector()) of the same length as x.
Examples
x = letters[1:5]
# replace all "b" with "_b_", and all "c" with "_c_"
old = c("b", "c")
new = c("_b_", "_c_")
map_values(x, old, new)
Dictionary of Callbacks
Description
A simple Dictionary storing objects of class Callback.
Each callback has an associated help page, see mlr_callbacks_[id].
This dictionary can get populated with additional callbacks by add-on packages.
As a convention, the key should start with the name of the package, i.e. package.callback.
For a more convenient way to retrieve and construct learners, see clbk()/clbks().
Usage
mlr_callbacks
Format
An object of class DictionaryCallbacks (inherits from Dictionary, R6) of length 12.
Error Classes
Description
Condition classes for mlr3.
Usage
error_config(msg, ..., class = NULL, signal = TRUE)
error_input(msg, ..., class = NULL, signal = TRUE)
error_timeout(signal = TRUE)
error_mlr3(msg, ..., class = NULL, signal = TRUE)
warning_mlr3(msg, ..., class = NULL, signal = TRUE)
warning_config(msg, ..., class = NULL, signal = TRUE)
warning_input(msg, ..., class = NULL, signal = TRUE)
error_learner(msg, ..., class = NULL, signal = TRUE)
error_learner_train(msg, ..., class = NULL, signal = TRUE)
error_learner_predict(msg, ..., class = NULL, signal = TRUE)
Arguments
| msg | ( | 
| ... | (any) | 
| class | ( | 
| signal | ( | 
Formatting
It is also possible to use formatting options as defined in cli::cli_bullets.
Errors
-  error_mlr3()for the baseMlr3Errorclass.
-  error_config()for theMlr3ErrorConfigclass, which signals that a user has misconfigured something (e.g. invalid learner configuration).
-  error_input()for theMlr3ErrorInputif an invalid input was provided. method.
-  error_timeout()for theMlr3ErrorTimeout, signalling a timeout (encapsulation).
-  error_learner()for theMlr3ErrorLearner, signalling a learner error.
-  error_learner_train()for theMlr3ErrorLearner, signalling a learner training error.
-  error_learner_predict()for theMlr3ErrorLearner, signalling a learner prediction error.
Warnings
-  warning_mlr3()for the baseMlr3Warningclass.
-  warning_config()for theMlr3WarningConfigclass, which signals that a user might have misconfigured something.
-  warning_input()for theMlr3WarningInputif an invalid input might have been provided.
Selectively Modify Elements of a Vector
Description
Modifies elements of a vector selectively, similar to the functions in purrr.
modify_if() applies a predicate function .p to all elements of .x
and applies .f to those elements of .x where .p evaluates to TRUE.
modify_at() applies .f to those elements of .x selected via .at.
Usage
modify_if(.x, .p, .f, ...)
modify_at(.x, .at, .f, ...)
Arguments
| .x | ( | 
| .p | ( | 
| .f | ( | 
| ... | ( | 
| .at | (( | 
Examples
x = modify_if(iris, is.factor, as.character)
str(x)
x = modify_at(iris, 5, as.character)
x = modify_at(iris, "Sepal.Length", sqrt)
str(x)
Create a Named List
Description
Create a Named List
Usage
named_list(nn = character(0L), init = NULL)
Arguments
| nn | ( | 
| init | ( | 
Value
(named list()).
Examples
named_list(c("a", "b"))
named_list(c("a", "b"), init = 1)
Create a Named Vector
Description
Creates a simple atomic vector with init as values.
Usage
named_vector(nn = character(0L), init = NA)
Arguments
| nn | ( | 
| init | ( | 
Value
(named vector()).
Examples
named_vector(c("a", "b"), NA)
named_vector(character())
A Type-Stable names() Replacement
Description
A simple wrapper around base::names().
Returns a character vector even if no names attribute is set.
Values NA and "" are treated as missing and replaced with the value provided in missing_val.
Usage
names2(x, missing_val = NA_character_)
Arguments
| x | ( | 
| missing_val | ( | 
Value
(character(length(x))).
Examples
x = 1:3
names(x)
names2(x)
names(x)[1:2] = letters[1:2]
names(x)
names2(x, missing_val = "")
Opens a Manual Page
Description
Simply opens a manual page specified in "package::topic" syntax.
Usage
open_help(man)
Arguments
| man | ( | 
Value
Nothing.
Functions for Formatted Output and Conditions
Description
catf(), messagef(), warningf() and stopf() are wrappers around base::cat(),
base::message(), base::warning() and base::stop(), respectively.
Usage
catf(msg, ..., file = "", wrap = FALSE)
messagef(msg, ..., wrap = FALSE, class = NULL)
warningf(msg, ..., wrap = FALSE, class = NULL)
stopf(msg, ..., wrap = FALSE, class = NULL)
Arguments
| msg | ( | 
| ... | ( | 
| file | ( | 
| wrap | ( | 
| class | ( | 
Details
For leanified R6 classes, the call included in the condition is the method call and not the call into the leanified method.
Errors and Warnings
Errors and warnings get the classes mlr3{error, warning} and also inherit from
simple{Error, Warning}.
It is possible to give errors and warnings their own class via the class argument.
Doing this, allows to suppress selective conditions via calling handlers, see e.g.
globalCallingHandlers.
When a function throws such a condition that the user might want to disable, a section Errors and Warnings should be included in the function documention, describing the condition and its class.
Examples
messagef("
  This is a rather long %s
  on multiple lines
  which will get wrapped.
", "string", wrap = 15)
Bind Columns by Reference
Description
Performs base::cbind() on data.tables, possibly by reference.
Usage
rcbind(x, y)
Arguments
| x | ( | 
| y | ( | 
Value
(data.table::data.table()): Updated x .
Examples
x = data.table::data.table(a = 1:3, b = 3:1)
y = data.table::data.table(c = runif(3))
rcbind(x, y)
Helpers to Create Manual Pages
Description
rd_info() is an internal generic to generate Rd or markdown code to be used in manual pages.
rd_format_string() and rd_format_range() are string functions to assist generating
proper Rd code.
Usage
rd_info(obj, ...)
rd_format_range(lower, upper)
rd_format_string(str, quote = c("\\dQuote{", "}"))
rd_format_packages(packages)
Arguments
| obj | ( | 
| ... | ( | 
| lower | ( | 
| upper | ( | 
| str | ( | 
| quote | ( Will be replicated to lenght 2. | 
| packages | ( | 
Value
character(), possibly with markdown code.
Recycle List of Vectors to Common Length
Description
Repeats all vectors of a list .x to the length of the longest vector
using rep() with argument length.out.
This operation will only work
if the length of the longest vectors is an integer multiple of all shorter
vectors, and will throw an exception otherwise.
Usage
recycle_vectors(.x)
Arguments
| .x | ( | 
Value
(list()) with vectors of same size.
Examples
recycle_vectors(list(a = 1:3, b = 2))
Registers a Callback on Namespace load/unLoad Events
Description
Register a function callback to be called after a namespace is loaded.
Calls callback once if the namespace has already been loaded before and
also adds an unload-hook that removes the load hook.
Usage
register_namespace_callback(pkgname, namespace, callback)
Arguments
| pkgname | ( | 
| namespace | ( | 
| callback | ( | 
Value
NULL.
Reorder Vector According to Second Vector
Description
Returns an integer vector to order vector x according to vector y.
Usage
reorder_vector(x, y, na_last = NA)
Arguments
| x | ( | 
| y | ( | 
| na_last | ( 
 | 
Value
(integer()).
Examples
# x subset of y
x = c("b", "a", "c", "d")
y = letters
x[reorder_vector(x, y)]
# y subset of x
y = letters[1:3]
x[reorder_vector(x, y)]
x[reorder_vector(x, y, na_last = TRUE)]
x[reorder_vector(x, y, na_last = FALSE)]
Require Multiple Namespaces
Description
Packages are loaded (not attached) via base::requireNamespace().
If at least on package can not be loaded, an exception of class "packageNotFoundError" is raised.
The character vector of missing packages is stored in the condition as packages.
Usage
require_namespaces(
  pkgs,
  msg = "The following packages could not be loaded: %s",
  quietly = FALSE
)
Arguments
| pkgs | ( | 
| msg | ( | 
| quietly | ( | 
Value
(character()) of loaded packages (invisibly).
Examples
require_namespaces("mlr3misc")
# catch condition, return missing packages
tryCatch(require_namespaces(c("mlr3misc", "foobaaar")),
  packageNotFoundError = function(e) e$packages)
Row-Wise Constructor for 'data.table'
Description
Similar to the tibble function tribble(), this function
allows to construct tabular data in a row-wise fashion.
The first arguments passed as formula will be interpreted as column names. The remaining arguments will be put into the resulting table.
Usage
rowwise_table(..., .key = NULL)
Arguments
| ... | ( | 
| .key | ( | 
Value
Examples
rowwise_table(
  ~a, ~b,
  1, "a",
  2, "b"
)
Sequence Construction Helpers
Description
seq_row() creates a sequence along the number of rows of x,
seq_col() a sequence along the number of columns of x.
seq_len0() and seq_along0() are the 0-based counterparts to base::seq_len() and
base::seq_along().
Usage
seq_row(x)
seq_col(x)
seq_len0(n)
seq_along0(x)
Arguments
| x | ( | 
| n | ( | 
Examples
seq_len0(3)
Set the Class
Description
Simple wrapper for class(x) = classes.
Usage
set_class(x, classes)
Arguments
| x | ( | 
| classes | ( | 
Value
Object x, with updated class attribute.
Examples
set_class(list(), c("foo1", "foo2"))
Set Names
Description
Sets the names (or colnames) of x to nm.
If nm is a function, it is used to transform the already existing names of x.
Usage
set_names(x, nm = x, ...)
set_col_names(x, nm, ...)
Arguments
| x | ( | 
| nm | ( | 
| ... | ( | 
Value
x with updated names.
Examples
x = letters[1:3]
# name x with itself:
x = set_names(x)
print(x)
# convert names to uppercase
x = set_names(x, toupper)
print(x)
Modify Values of a Parameter Set
Description
Convenience function to modfiy (or overwrite) the values of a paradox::ParamSet.
Usage
set_params(.ps, ..., .values = list(), .insert = TRUE)
Arguments
| .ps | (paradox::ParamSet) | 
| ... | ( | 
| .values | ( | 
| .insert | ( | 
Examples
if (requireNamespace("paradox")) {
  param_set = paradox::ps(a = paradox::p_dbl(), b = paradox::p_dbl())
  param_set$values$a = 0
  set_params(param_set, a = 1, .values = list(b = 2), .insert = TRUE)
  set_params(param_set, a = 3, .insert = FALSE)
  set_params(param_set, b = 4, .insert = TRUE)
}
Safe Version of Sample
Description
A version of sample() which does not treat positive scalar integer x differently.
See example.
Usage
shuffle(x, n = length(x), ...)
Arguments
| x | ( | 
| n | ( | 
| ... | ( | 
Examples
x = 2:3
sample(x)
shuffle(x)
x = 3
sample(x)
shuffle(x)
Collapse Strings
Description
Collapse multiple strings into a single string.
Usage
str_collapse(str, sep = ", ", quote = character(), n = Inf, ellipsis = "[...]")
Arguments
| str | ( | 
| sep | ( | 
| quote | ( Will be replicated to lenght 2. | 
| n | ( | 
| ellipsis | ( | 
Value
(character(1)).
Examples
str_collapse(letters, quote = "'", n = 5)
Indent Strings
Description
Formats a text block for printing.
Usage
str_indent(initial, str, width = 0.9 * getOption("width"), exdent = 2L, ...)
Arguments
| initial | ( | 
| str | ( | 
| width | ( | 
| exdent | ( | 
| ... | ( | 
Value
(character()).
Examples
cat(str_indent("Letters:", str_collapse(letters), width = 25), sep = "\n")
Truncate Strings
Description
str_trunc() truncates a string to a given width.
Usage
str_trunc(str, width = 0.9 * getOption("width"), ellipsis = "[...]")
Arguments
| str | ( | 
| width | ( | 
| ellipsis | ( | 
Value
(character()).
Examples
str_trunc("This is a quite long string", 20)
Strip source references from objects
Description
Source references can make objects unexpectedly large and are undesireable in many situations.
As renv installs packages with the --with-keep.source option, we sometimes need to remove source references
from objects.
Methods should remove source references from the input, but should otherwise leave the input unchanged.
Usage
strip_srcrefs(x, ...)
Arguments
| x | ( | 
| ... | ( | 
Convert a Vector of Bits to a Decimal Number
Description
Converts a logical vector from binary to decimal.
The bit vector may have any length, the last position is the least significant, i.e.
bits are multiplied with 2^(n-1), 2^(n-2), ..., 2^1, 2^0 where n is the
length of the bit vector.
Usage
to_decimal(bits)
Arguments
| bits | ( | 
Value
(integer(1)).
Topological Sorting of Dependency Graphs
Description
Topologically sort a graph, where we are passed node labels and a list of direct
parents for each node, as labels, too.
A node can be 'processed' if all its parents have been 'processed',
and hence occur at previous indices in the resulting sorting.
Returns a table, in topological row order for IDs, and an entry depth,
which encodes the topological layer, starting at 0.
So nodes with depth == 0 are the ones with no dependencies,
and the one with maximal depth are the ones on which nothing else depends on.
Usage
topo_sort(nodes)
Arguments
| nodes | ( 
 | 
Value
(data.table::data.table()) with columns id, depth, sorted topologically for IDs.
Examples
nodes = rowwise_table(
  ~id, ~parents,
  "a", "b",
  "b", "c",
  "c", character()
)
topo_sort(nodes)
Transpose lists of lists
Description
Transposes a list of list, and turns it inside out, similar to the
function transpose() in package purrr.
Usage
transpose_list(.l)
Arguments
| .l | ( | 
Value
list().
Examples
x = list(list(a = 2, b = 3), list(a = 5, b = 10))
str(x)
str(transpose_list(x))
# list of data frame rows:
transpose_list(iris[1:2, ])
Unnest List Columns
Description
Transforms list columns to separate columns, possibly by reference. The original columns are removed from the returned table. All non-atomic objects in the list columns are expand to new list column.
Usage
unnest(x, cols, prefix = NULL)
Arguments
| x | ( | 
| cols | ( | 
| prefix | ( | 
Value
Examples
x = data.table::data.table(
  id = 1:2,
  value = list(list(a = 1, b = 2), list(a = 2, b = 2))
)
print(x)
unnest(data.table::copy(x), "value")
unnest(data.table::copy(x), "value", prefix = "{col}.")
Index of the Minimum/Maximum Value, with Correction for Ties
Description
Works similar to base::which.min()/base::which.max(), but corrects for ties.
Missing values are treated as Inf for which_min and as -Inf for which_max().
Usage
which_min(x, ties_method = "random", na_rm = FALSE)
which_max(x, ties_method = "random", na_rm = FALSE)
Arguments
| x | ( | 
| ties_method | ( | 
| na_rm | ( | 
Value
(integer()): Index of the minimum/maximum value.
Returns an empty integer vector for empty input vectors and vectors with no non-missing values
(if na_rm is TRUE).
Returns NA if na_rm is FALSE and at least one NA is found in x.
Examples
x = c(2, 3, 1, 3, 5, 1, 1)
which_min(x, ties_method = "first")
which_min(x, ties_method = "last")
which_min(x, ties_method = "random")
which_max(x)
which_max(integer(0))
which_max(NA)
which_max(c(NA, 1))
Execture code with a modified search path
Description
Attaches a package to the search path (if not already attached), executes code and eventually removes the package from the search path again, restoring the previous state.
Note that this function is deprecated in favor of the (now fixed) version in withr.
Usage
with_package(package, code, ...)
Arguments
| package | ( | 
| code | ( | 
| ... | ( | 
Value
Result of the evaluation of code.
See Also
withr package.