| Type: | Package | 
| Title: | A Lightweight, Modern and Flexible Logging Utility | 
| Version: | 0.4.1 | 
| Date: | 2025-09-10 | 
| Description: | Inspired by the the 'futile.logger' R package and 'logging' Python module, this utility provides a flexible and extensible way of formatting and delivering log messages with low overhead. | 
| License: | MIT + file LICENSE | 
| URL: | https://daroczig.github.io/logger/ | 
| BugReports: | https://github.com/daroczig/logger/issues | 
| Depends: | R (≥ 4.0.0) | 
| Imports: | utils | 
| Suggests: | botor, cli, covr, crayon, devtools, glue, jsonlite, knitr, mirai (≥ 1.3.0), pander, parallel, R.utils, rmarkdown, roxygen2, RPushbullet, rsyslog, shiny, slackr (≥ 1.4.1), syslognet, telegram, testthat (≥ 3.0.0), withr | 
| Enhances: | futile.logger, log4r, logging | 
| VignetteBuilder: | knitr | 
| Config/testthat/edition: | 3 | 
| Config/testthat/parallel: | TRUE | 
| Encoding: | UTF-8 | 
| RoxygenNote: | 7.3.2 | 
| NeedsCompilation: | no | 
| Packaged: | 2025-09-11 06:38:17 UTC; daroczig | 
| Author: | Gergely Daróczi | 
| Maintainer: | Gergely Daróczi <daroczig@rapporter.net> | 
| Repository: | CRAN | 
| Date/Publication: | 2025-09-11 17:00:02 UTC | 
logger: A Lightweight, Modern and Flexible Logging Utility
Description
 
Inspired by the the 'futile.logger' R package and 'logging' Python module, this utility provides a flexible and extensible way of formatting and delivering log messages with low overhead.
Author(s)
Maintainer: Gergely Daróczi daroczig@rapporter.net (ORCID)
Authors:
- Hadley Wickham hadley@posit.co (ORCID) 
Other contributors:
- Spare Cores [funder] 
- System1 [funder] 
See Also
Useful links:
Try to evaluate an expressions and evaluate another expression on exception
Description
Try to evaluate an expressions and evaluate another expression on exception
Usage
try %except% except
Arguments
| try | R expression | 
| except | fallback R expression to be evaluated if  | 
Note
Suppress log messages in the except namespace if you don't
want to throw a WARN log message on the exception branch.
Examples
everything %except% 42
everything <- "640kb"
everything %except% 42
FunDoesNotExist(1:10) %except% sum(1:10) / length(1:10)
FunDoesNotExist(1:10) %except% (sum(1:10) / length(1:10))
FunDoesNotExist(1:10) %except% MEAN(1:10) %except% mean(1:10)
FunDoesNotExist(1:10) %except% (MEAN(1:10) %except% mean(1:10))
Delays executing the actual appender function to the future in a background process to avoid blocking the main R session
Description
Delays executing the actual appender function to the future in a background process to avoid blocking the main R session
Usage
appender_async(
  appender,
  namespace = "async_logger",
  init = function() log_info("Background process started")
)
Arguments
| appender | a  | 
| namespace | 
 | 
| init | optional function to run in the background process that
is useful to set up the environment required for logging, eg if
the  | 
Value
function taking lines argument
Note
This functionality depends on the mirai package.
See Also
Other log_appenders: 
appender_console(),
appender_file(),
appender_kinesis(),
appender_pushbullet(),
appender_slack(),
appender_stdout(),
appender_syslog(),
appender_tee(),
appender_telegram()
Examples
## Not run: 
appender_file_slow <- function(file) {
  force(file)
  function(lines) {
    Sys.sleep(1)
    cat(lines, sep = "\n", file = file, append = TRUE)
  }
}
## log what's happening in the background
log_threshold(TRACE, namespace = "async_logger")
log_appender(appender_console, namespace = "async_logger")
## start async appender
t <- tempfile()
log_info("Logging in the background to {t}")
## use async appender
log_appender(appender_async(appender_file_slow(file = t)))
log_info("Was this slow?")
system.time(for (i in 1:25) log_info(i))
readLines(t)
Sys.sleep(10)
readLines(t)
## End(Not run)
Append log record to stderr
Description
Append log record to stderr
Usage
appender_console(lines)
appender_stderr(lines)
Arguments
| lines | character vector | 
See Also
Other log_appenders: 
appender_async(),
appender_file(),
appender_kinesis(),
appender_pushbullet(),
appender_slack(),
appender_stdout(),
appender_syslog(),
appender_tee(),
appender_telegram()
Append log messages to a file
Description
Log messages are written to a file with basic log rotation: when
max number of lines or bytes is defined to be other than Inf,
then the log file is renamed with a .1 suffix and a new log file
is created. The renaming happens recursively (eg logfile.1
renamed to logfile.2) until the specified max_files, then the
oldest file (logfile.{max_files-1}) is deleted.
Usage
appender_file(
  file,
  append = TRUE,
  max_lines = Inf,
  max_bytes = Inf,
  max_files = 1L
)
Arguments
| file | path | 
| append | boolean passed to  | 
| max_lines | numeric specifying the maximum number of lines allowed in a file before rotating | 
| max_bytes | numeric specifying the maximum number of bytes allowed in a file before rotating | 
| max_files | integer specifying the maximum number of files to be used in rotation | 
Value
function taking lines argument
See Also
Other log_appenders: 
appender_async(),
appender_console(),
appender_kinesis(),
appender_pushbullet(),
appender_slack(),
appender_stdout(),
appender_syslog(),
appender_tee(),
appender_telegram()
Examples
## ##########################################################################
## simple example logging to a file
t <- tempfile()
log_appender(appender_file(t))
for (i in 1:25) log_info(i)
readLines(t)
## ##########################################################################
## more complex example of logging to file
## rotated after every 3rd line up to max 5 files
## create a folder storing the log files
t <- tempfile()
dir.create(t)
f <- file.path(t, "log")
## define the file logger with log rotation enabled
log_appender(appender_file(f, max_lines = 3, max_files = 5L))
## enable internal logging to see what's actually happening in the logrotate steps
log_threshold(TRACE, namespace = ".logger")
## log 25 messages
for (i in 1:25) log_info(i)
## see what was logged
lapply(list.files(t, full.names = TRUE), function(t) {
  cat("\n##", t, "\n")
  cat(readLines(t), sep = "\n")
})
Send log messages to a Amazon Kinesis stream
Description
Send log messages to a Amazon Kinesis stream
Usage
appender_kinesis(stream)
Arguments
| stream | name of the Kinesis stream | 
Value
function taking lines and optional partition_key
argument
Note
This functionality depends on the botor package.
See Also
Other log_appenders: 
appender_async(),
appender_console(),
appender_file(),
appender_pushbullet(),
appender_slack(),
appender_stdout(),
appender_syslog(),
appender_tee(),
appender_telegram()
Send log messages to Pushbullet
Description
Send log messages to Pushbullet
Usage
appender_pushbullet(...)
Arguments
| ... | parameters passed to RPushbullet::pbPost, such as  | 
Note
This functionality depends on the RPushbullet package.
See Also
Other log_appenders: 
appender_async(),
appender_console(),
appender_file(),
appender_kinesis(),
appender_slack(),
appender_stdout(),
appender_syslog(),
appender_tee(),
appender_telegram()
Send log messages to a Slack channel
Description
Send log messages to a Slack channel
Usage
appender_slack(
  channel = Sys.getenv("SLACK_CHANNEL"),
  username = Sys.getenv("SLACK_USERNAME"),
  icon_emoji = Sys.getenv("SLACK_ICON_EMOJI"),
  api_token = Sys.getenv("SLACK_API_TOKEN"),
  preformatted = TRUE
)
Arguments
| channel | Slack channel name with a hashtag prefix for public channel and no prefix for private channels | 
| username | Slack (bot) username | 
| icon_emoji | optional override for the bot icon | 
| api_token | Slack API token | 
| preformatted | use code tags around the message? | 
Value
function taking lines argument
Note
This functionality depends on the slackr package.
See Also
Other log_appenders: 
appender_async(),
appender_console(),
appender_file(),
appender_kinesis(),
appender_pushbullet(),
appender_stdout(),
appender_syslog(),
appender_tee(),
appender_telegram()
Append log record to stdout
Description
Append log record to stdout
Usage
appender_stdout(lines)
Arguments
| lines | character vector | 
See Also
Other log_appenders: 
appender_async(),
appender_console(),
appender_file(),
appender_kinesis(),
appender_pushbullet(),
appender_slack(),
appender_syslog(),
appender_tee(),
appender_telegram()
Send log messages to the POSIX system log
Description
Send log messages to the POSIX system log
Usage
appender_syslog(identifier, ...)
Arguments
| identifier | A string identifying the process. | 
| ... | Further arguments passed on to  | 
Value
function taking lines argument
Note
This functionality depends on the rsyslog package.
See Also
Other log_appenders: 
appender_async(),
appender_console(),
appender_file(),
appender_kinesis(),
appender_pushbullet(),
appender_slack(),
appender_stdout(),
appender_tee(),
appender_telegram()
Examples
## Not run: 
if (requireNamespace("rsyslog", quietly = TRUE)) {
  log_appender(appender_syslog("test"))
  log_info("Test message.")
}
## End(Not run)
Send log messages to a network syslog server
Description
Send log messages to a network syslog server
Usage
appender_syslognet(identifier, server, port = 601L)
Arguments
| identifier | program/function identification (string). | 
| server | machine where syslog daemon runs (string). | 
| port | port where syslog daemon listens (integer). | 
Value
A function taking a lines argument.
Note
This functionality depends on the syslognet package.
Examples
## Not run: 
if (requireNamespace("syslognet", quietly = TRUE)) {
  log_appender(appender_syslognet("test_app", "remoteserver"))
  log_info("Test message.")
}
## End(Not run)
Append log messages to a file and stdout as well
Description
This appends log messages to both console and a file. The same
rotation options are available as in appender_file().
Usage
appender_tee(
  file,
  append = TRUE,
  max_lines = Inf,
  max_bytes = Inf,
  max_files = 1L
)
Arguments
| file | path | 
| append | boolean passed to  | 
| max_lines | numeric specifying the maximum number of lines allowed in a file before rotating | 
| max_bytes | numeric specifying the maximum number of bytes allowed in a file before rotating | 
| max_files | integer specifying the maximum number of files to be used in rotation | 
Value
function taking lines argument
See Also
Other log_appenders: 
appender_async(),
appender_console(),
appender_file(),
appender_kinesis(),
appender_pushbullet(),
appender_slack(),
appender_stdout(),
appender_syslog(),
appender_telegram()
Send log messages to a Telegram chat
Description
Send log messages to a Telegram chat
Usage
appender_telegram(
  chat_id = Sys.getenv("TELEGRAM_CHAT_ID"),
  bot_token = Sys.getenv("TELEGRAM_BOT_TOKEN"),
  parse_mode = NULL
)
Arguments
| chat_id | Unique identifier for the target chat or username of the target channel (in the format @channelusername) | 
| bot_token | Telegram Authorization token | 
| parse_mode | Message parse mode. Allowed values: Markdown or HTML | 
Value
function taking lines argument
Note
This functionality depends on the telegram package.
See Also
Other log_appenders: 
appender_async(),
appender_console(),
appender_file(),
appender_kinesis(),
appender_pushbullet(),
appender_slack(),
appender_stdout(),
appender_syslog(),
appender_tee()
Dummy appender not delivering the log record to anywhere
Description
Dummy appender not delivering the log record to anywhere
Usage
appender_void(lines)
Arguments
| lines | character vector | 
Convert R object into a logger log-level
Description
Convert R object into a logger log-level
Usage
as.loglevel(x)
Arguments
| x | string or integer | 
Value
pander log-level, e.g. INFO
Examples
as.loglevel(INFO)
as.loglevel(400L)
as.loglevel(400)
Color string by the related log level
Description
Color log messages according to their severity with either a rainbow or grayscale color scheme. The greyscale theme assumes a dark background on the terminal.
Usage
colorize_by_log_level(msg, level)
grayscale_by_log_level(msg, level)
Arguments
| msg | String to color. | 
| level | see  | 
Value
A string with ANSI escape codes.
Examples
cat(colorize_by_log_level("foobar", FATAL), "\n")
cat(colorize_by_log_level("foobar", ERROR), "\n")
cat(colorize_by_log_level("foobar", WARN), "\n")
cat(colorize_by_log_level("foobar", SUCCESS), "\n")
cat(colorize_by_log_level("foobar", INFO), "\n")
cat(colorize_by_log_level("foobar", DEBUG), "\n")
cat(colorize_by_log_level("foobar", TRACE), "\n")
cat(grayscale_by_log_level("foobar", FATAL), "\n")
cat(grayscale_by_log_level("foobar", ERROR), "\n")
cat(grayscale_by_log_level("foobar", WARN), "\n")
cat(grayscale_by_log_level("foobar", SUCCESS), "\n")
cat(grayscale_by_log_level("foobar", INFO), "\n")
cat(grayscale_by_log_level("foobar", DEBUG), "\n")
cat(grayscale_by_log_level("foobar", TRACE), "\n")
Delete an index from a logger namespace
Description
Delete an index from a logger namespace
Usage
delete_logger_index(namespace = "global", index)
Arguments
| namespace | logger namespace | 
| index | index of the logger within the namespace | 
Deparse and join all lines into a single line
Description
Calling deparse and joining all the returned lines into a
single line, separated by whitespace, and then cleaning up all the
duplicated whitespace (except for excessive whitespace in strings
between single or double quotes).
Usage
deparse_to_one_line(x)
Arguments
| x | object to  | 
Value
string
Check if R package can be loaded and fails loudly otherwise
Description
Check if R package can be loaded and fails loudly otherwise
Usage
fail_on_missing_package(pkg, min_version, call = NULL)
Arguments
| pkg | string | 
| min_version | optional minimum version needed | 
| call | Call to include in error message. | 
Examples
f <- function() fail_on_missing_package("foobar")
try(f())
g <- function() fail_on_missing_package("stats")
g()
Apply cli::cli_text() to format string with cli syntax
Description
Apply cli::cli_text() to format string with cli syntax
Usage
formatter_cli(
  ...,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame()
)
Arguments
| ... | passed to  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
Value
character vector
See Also
Other log_formatters: 
formatter_glue(),
formatter_glue_or_sprintf(),
formatter_glue_safe(),
formatter_json(),
formatter_logging(),
formatter_pander(),
formatter_paste(),
formatter_sprintf()
Apply glue::glue() to convert R objects into a character vector
Description
Apply glue::glue() to convert R objects into a character vector
Usage
formatter_glue(
  ...,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame()
)
Arguments
| ... | passed to  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
Value
character vector
Note
Although this is the default log message formatter function,
but when glue is not installed, formatter_sprintf()
will be used as a fallback.
See Also
Other log_formatters: 
formatter_cli(),
formatter_glue_or_sprintf(),
formatter_glue_safe(),
formatter_json(),
formatter_logging(),
formatter_pander(),
formatter_paste(),
formatter_sprintf()
Apply glue::glue() and sprintf()
Description
The best of both words: using both formatter functions in your log
messages, which can be useful eg if you are migrating from
sprintf() formatted log messages to glue::glue() or similar.
Usage
formatter_glue_or_sprintf(
  msg,
  ...,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame()
)
Arguments
| msg | passed to  | 
| ... | passed to  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
Details
Note that this function tries to be smart when passing arguments to
glue::glue() and sprintf(), but might fail with some edge cases, and
returns an unformatted string.
Value
character vector
See Also
Other log_formatters: 
formatter_cli(),
formatter_glue(),
formatter_glue_safe(),
formatter_json(),
formatter_logging(),
formatter_pander(),
formatter_paste(),
formatter_sprintf()
Examples
formatter_glue_or_sprintf("{a} + {b} = %s", a = 2, b = 3, 5)
formatter_glue_or_sprintf("{pi} * {2} = %s", pi * 2)
formatter_glue_or_sprintf("{pi} * {2} = {pi*2}")
formatter_glue_or_sprintf("Hi ", "{c('foo', 'bar')}, did you know that 2*4={2*4}")
formatter_glue_or_sprintf("Hi {c('foo', 'bar')}, did you know that 2*4={2*4}")
formatter_glue_or_sprintf("Hi {c('foo', 'bar')}, did you know that 2*4=%s", 2 * 4)
formatter_glue_or_sprintf("Hi %s, did you know that 2*4={2*4}", c("foo", "bar"))
formatter_glue_or_sprintf("Hi %s, did you know that 2*4=%s", c("foo", "bar"), 2 * 4)
Apply glue::glue_safe() to convert R objects into a character vector
Description
Apply glue::glue_safe() to convert R objects into a character vector
Usage
formatter_glue_safe(
  ...,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame()
)
Arguments
| ... | passed to  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
Value
character vector
See Also
Other log_formatters: 
formatter_cli(),
formatter_glue(),
formatter_glue_or_sprintf(),
formatter_json(),
formatter_logging(),
formatter_pander(),
formatter_paste(),
formatter_sprintf()
Transforms all passed R objects into a JSON list
Description
Transforms all passed R objects into a JSON list
Usage
formatter_json(
  ...,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame()
)
Arguments
| ... | passed to  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
Value
character vector
Note
This functionality depends on the jsonlite package.
See Also
Other log_formatters: 
formatter_cli(),
formatter_glue(),
formatter_glue_or_sprintf(),
formatter_glue_safe(),
formatter_logging(),
formatter_pander(),
formatter_paste(),
formatter_sprintf()
Examples
log_formatter(formatter_json)
log_layout(layout_json_parser())
log_info(everything = 42)
log_info(mtcars = mtcars, species = iris$Species)
Mimic the default formatter used in the logging package
Description
The logging package uses a formatter that behaves differently
when the input is a string or other R object. If the first argument
is a string, then sprintf() is being called – otherwise it does
something like log_eval() and logs the R expression(s) and the
result(s) as well.
Usage
formatter_logging(
  ...,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame()
)
Arguments
| ... | string and further params passed to  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
Value
character vector
See Also
Other log_formatters: 
formatter_cli(),
formatter_glue(),
formatter_glue_or_sprintf(),
formatter_glue_safe(),
formatter_json(),
formatter_pander(),
formatter_paste(),
formatter_sprintf()
Examples
log_formatter(formatter_logging)
log_info("42")
log_info(42)
log_info(4 + 2)
log_info("foo %s", "bar")
log_info("vector %s", 1:3)
log_info(12, 1 + 1, 2 * 2)
Formats R objects with pander
Description
Formats R objects with pander
Usage
formatter_pander(
  x,
  ...,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame()
)
Arguments
| x | object to be logged | 
| ... | optional parameters passed to  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
Value
character vector
Note
This functionality depends on the pander package.
See Also
Other log_formatters: 
formatter_cli(),
formatter_glue(),
formatter_glue_or_sprintf(),
formatter_glue_safe(),
formatter_json(),
formatter_logging(),
formatter_paste(),
formatter_sprintf()
Examples
log_formatter(formatter_pander)
log_info("42")
log_info(42)
log_info(4 + 2)
log_info(head(iris))
log_info(head(iris), style = "simple")
log_info(lm(hp ~ wt, mtcars))
Concatenate R objects into a character vector via paste
Description
Concatenate R objects into a character vector via paste
Usage
formatter_paste(
  ...,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame()
)
Arguments
| ... | passed to  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
Value
character vector
See Also
Other log_formatters: 
formatter_cli(),
formatter_glue(),
formatter_glue_or_sprintf(),
formatter_glue_safe(),
formatter_json(),
formatter_logging(),
formatter_pander(),
formatter_sprintf()
Apply sprintf() to convert R objects into a character vector
Description
Apply sprintf() to convert R objects into a character vector
Usage
formatter_sprintf(
  fmt,
  ...,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame()
)
Arguments
| fmt | passed to  | 
| ... | passed to  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
Value
character vector
See Also
Other log_formatters: 
formatter_cli(),
formatter_glue(),
formatter_glue_or_sprintf(),
formatter_glue_safe(),
formatter_json(),
formatter_logging(),
formatter_pander(),
formatter_paste()
Collect useful information about the logging environment to be used in log messages
Description
Available variables to be used in the log formatter functions, eg in layout_glue_generator():
Usage
get_logger_meta_variables(
  log_level = NULL,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
Arguments
| log_level | log level as per  | 
| namespace | string referring to the  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
| .timestamp | The time the logging occured. Defaults to the current time but may be overwritten if the logging is delayed from the time it happend | 
Details
-  levelr: log level as an R object, egINFO()
-  level: log level as a string, egINFO()
-  time: current time asPOSIXct
-  node: name by which the machine is known on the network as reported bySys.info
-  arch: machine type, typically the CPU architecture
-  os_name: Operating System's name
-  os_release: Operating System's release
-  os_version: Operating System's version
-  user: name of the real user id as reported bySys.info
-  pid: the process identification number of the R session
-  node: name by which the machine is known on the network as reported bySys.info
-  r_version: R's major and minor version as a string
-  ns: namespace usually defaults toglobalor the name of the holding R package of the calling the logging function
-  ns_pkg_version: the version ofnswhen it's a package
-  ans: same asnsif there's a definedlogger()for the namespace, otherwise a fallback namespace (eg usuallyglobal)
-  topenv: the name of the top environment from which the parent call was called (eg R package name orGlobalEnv)
-  call: parent call (if any) calling the logging function
-  location: A list with elementpathandlinegiving the location of the log call
-  fn: function's (if any) name calling the logging function
Value
list
See Also
Other log_layouts: 
layout_blank(),
layout_gha(),
layout_glue(),
layout_glue_colors(),
layout_glue_generator(),
layout_json(),
layout_json_parser(),
layout_logging(),
layout_simple()
Format a log record by including the raw message without anything added or modified
Description
Format a log record by including the raw message without anything added or modified
Usage
layout_blank(
  level,
  msg,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
Arguments
| level | log level, see  | 
| msg | string message | 
| namespace | string referring to the  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
| .timestamp | The time the logging occured. Defaults to the current time but may be overwritten if the logging is delayed from the time it happend | 
Value
character vector
See Also
Other log_layouts: 
get_logger_meta_variables(),
layout_gha(),
layout_glue(),
layout_glue_colors(),
layout_glue_generator(),
layout_json(),
layout_json_parser(),
layout_logging(),
layout_simple()
Format a log record for github actions
Description
GitHub Actions can recognise specially formatted output and make these
prominent in the output. The layout_gha() layout will ensure the correct
formatting when running in GitHub Actions.
Usage
layout_gha(
  level,
  msg,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
Arguments
| level | log level, see  | 
| msg | string message | 
| namespace | string referring to the  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
| .timestamp | The time the logging occured. Defaults to the current time but may be overwritten if the logging is delayed from the time it happend | 
Value
character vector
Note
GitHub Actions only recognise the log levels error, warning, notice,
and debug. Because of this, FATAL and ERROR are coerced to error,
SUCCESS and INFO are coerced to notice, and DEBUG and TRACE are
coerced to debug (WARN maps directly to warning).
See Also
Other log_layouts: 
get_logger_meta_variables(),
layout_blank(),
layout_glue(),
layout_glue_colors(),
layout_glue_generator(),
layout_json(),
layout_json_parser(),
layout_logging(),
layout_simple()
Format a log message with glue::glue()
Description
By default, this layout includes the log level of the log record as
per log_levels(), the current timestamp and the actual log
message – that you can override via calling
layout_glue_generator() directly. For colorized output, see
layout_glue_colors().
Usage
layout_glue(
  level,
  msg,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
Arguments
| level | log level, see  | 
| msg | string message | 
| namespace | string referring to the  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
| .timestamp | The time the logging occured. Defaults to the current time but may be overwritten if the logging is delayed from the time it happend | 
Value
character vector
See Also
Other log_layouts: 
get_logger_meta_variables(),
layout_blank(),
layout_gha(),
layout_glue_colors(),
layout_glue_generator(),
layout_json(),
layout_json_parser(),
layout_logging(),
layout_simple()
Format a log message with glue::glue() and ANSI escape codes to add colors
Description
Colour log levels based on their severity. Log levels are coloured
with colorize_by_log_level() and the messages are coloured with
grayscale_by_log_level().
Usage
layout_glue_colors(
  level,
  msg,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
Arguments
| level | log level, see  | 
| msg | string message | 
| namespace | string referring to the  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
| .timestamp | The time the logging occured. Defaults to the current time but may be overwritten if the logging is delayed from the time it happend | 
Value
character vector
Note
This functionality depends on the crayon package.
See Also
Other log_layouts: 
get_logger_meta_variables(),
layout_blank(),
layout_gha(),
layout_glue(),
layout_glue_generator(),
layout_json(),
layout_json_parser(),
layout_logging(),
layout_simple()
Examples
log_layout(layout_glue_colors)
log_threshold(TRACE)
log_info("Starting the script...")
log_debug("This is the second line")
log_trace("That is being placed right after the first one.")
log_warn("Some errors might come!")
log_error("This is a problem")
log_debug("Getting an error is usually bad")
log_error("This is another problem")
log_fatal("The last problem.")
Generate log layout function using common variables available via glue syntax
Description
format is passed to glue::glue() with access to the below variables:
- msg: the actual log message 
- further variables set by - get_logger_meta_variables()
Usage
layout_glue_generator(
  format = "{level} [{format(time, \"%Y-%m-%d %H:%M:%S\")}] {msg}"
)
Arguments
| format | 
 | 
Value
function taking level and msg arguments - keeping the
original call creating the generator in the generator attribute
that is returned when calling log_layout() for the currently
used layout
See Also
See example calls from layout_glue() and layout_glue_colors().
Other log_layouts: 
get_logger_meta_variables(),
layout_blank(),
layout_gha(),
layout_glue(),
layout_glue_colors(),
layout_json(),
layout_json_parser(),
layout_logging(),
layout_simple()
Examples
example_layout <- layout_glue_generator(
  format = "{node}/{pid}/{ns}/{ans}/{topenv}/{fn} {time} {level}: {msg}"
)
example_layout(INFO, "try {runif(1)}")
log_layout(example_layout)
log_info("try {runif(1)}")
Generate log layout function rendering JSON
Description
Generate log layout function rendering JSON
Usage
layout_json(fields = default_fields())
Arguments
| fields | character vector of field names to be included in the JSON | 
Value
character vector
Note
This functionality depends on the jsonlite package.
See Also
Other log_layouts: 
get_logger_meta_variables(),
layout_blank(),
layout_gha(),
layout_glue(),
layout_glue_colors(),
layout_glue_generator(),
layout_json_parser(),
layout_logging(),
layout_simple()
Examples
log_layout(layout_json())
log_info(42)
log_info("ok {1:3} + {1:3} = {2*(1:3)}")
Generate log layout function rendering JSON after merging meta fields with parsed list from JSON message
Description
Generate log layout function rendering JSON after merging meta fields with parsed list from JSON message
Usage
layout_json_parser(fields = default_fields())
Arguments
| fields | character vector of field names to be included in the JSON. If named, the names will be used as field names in the JSON. | 
Note
This functionality depends on the jsonlite package.
See Also
Other log_layouts: 
get_logger_meta_variables(),
layout_blank(),
layout_gha(),
layout_glue(),
layout_glue_colors(),
layout_glue_generator(),
layout_json(),
layout_logging(),
layout_simple()
Examples
log_formatter(formatter_json)
log_info(everything = 42)
log_layout(layout_json_parser())
log_info(everything = 42)
log_layout(layout_json_parser(fields = c("time", "node")))
log_info(cars = row.names(mtcars), species = unique(iris$Species))
log_layout(layout_json_parser(fields = c(timestamp = "time", "node")))
log_info(
  message = paste(
    "Compared to the previous example,
    the 'time' field is renamed to 'timestamp'"
  )
)
Format a log record as the logging package does by default
Description
Format a log record as the logging package does by default
Usage
layout_logging(
  level,
  msg,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
Arguments
| level | log level, see  | 
| msg | string message | 
| namespace | string referring to the  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
| .timestamp | The time the logging occured. Defaults to the current time but may be overwritten if the logging is delayed from the time it happend | 
Value
character vector
See Also
Other log_layouts: 
get_logger_meta_variables(),
layout_blank(),
layout_gha(),
layout_glue(),
layout_glue_colors(),
layout_glue_generator(),
layout_json(),
layout_json_parser(),
layout_simple()
Examples
log_layout(layout_logging)
log_info(42)
log_info(42, namespace = "everything")
## Not run: 
devtools::load_all(system.file("demo-packages/logger-tester-package", package = "logger"))
logger_tester_function(INFO, 42)
## End(Not run)
Format a log record by concatenating the log level, timestamp and message
Description
Format a log record by concatenating the log level, timestamp and message
Usage
layout_simple(
  level,
  msg,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
Arguments
| level | log level, see  | 
| msg | string message | 
| namespace | string referring to the  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
| .timestamp | The time the logging occured. Defaults to the current time but may be overwritten if the logging is delayed from the time it happend | 
Value
character vector
See Also
Other log_layouts: 
get_logger_meta_variables(),
layout_blank(),
layout_gha(),
layout_glue(),
layout_glue_colors(),
layout_glue_generator(),
layout_json(),
layout_json_parser(),
layout_logging()
Format a log record for syslognet
Description
Format a log record for syslognet. This function converts the logger log level to a log severity level according to RFC 5424 "The Syslog Protocol".
Usage
layout_syslognet(
  level,
  msg,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
Arguments
| level | log level, see  | 
| msg | string message | 
| namespace | string referring to the  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
| .timestamp | The time the logging occured. Defaults to the current time but may be overwritten if the logging is delayed from the time it happend | 
Value
A character vector with a severity attribute.
Get or set log record appender function
Description
Get or set log record appender function
Usage
log_appender(appender = NULL, namespace = "global", index = 1)
Arguments
| appender | function delivering a log record to the
destination, eg  | 
| namespace | logger namespace | 
| index | index of the logger within the namespace | 
See Also
Other log configutation functions: 
log_formatter(),
log_layout(),
log_threshold()
Examples
## change appender to "tee" that writes to the console and a file as well
t <- tempfile()
log_appender(appender_tee(t))
log_info(42)
log_info(43)
log_info(44)
readLines(t)
## poor man's tee by stacking loggers in the namespace
t <- tempfile()
log_appender(appender_stdout)
log_appender(appender_file(t), index = 2)
log_info(42)
readLines(t)
Automatically log execution time of knitr chunks
Description
Calling this function in the first chunk of a document will instruct knitr
to automatically log the execution time of each chunk. If using
formatter_glue() or formatter_cli() then the options variable will be
available, providing the chunk options such as chunk label etc.
Usage
log_chunk_time(..., level = INFO, namespace = NA_character_)
Arguments
| ... | passed to  | 
| level | see  | 
| namespace | x | 
Examples
# To be put in the first chunk of a document
log_chunk_time("chunk {options$label}")
Log cumulative running time
Description
This function is working like log_tictoc() but differs in that it continues
to count up rather than resetting the timer at every call. You can set the
start time using log_elapsed_start(), but if that hasn't been called it
will show the time since the R session started.
Usage
log_elapsed(..., level = INFO, namespace = NA_character_)
log_elapsed_start(level = INFO, namespace = NA_character_, quiet = FALSE)
Arguments
| ... | passed to  | 
| level | see  | 
| namespace | x | 
| quiet | Should starting the time emit a log message | 
Examples
log_elapsed_start()
Sys.sleep(0.4)
log_elapsed("Tast 1")
Sys.sleep(0.2)
log_elapsed("Task 2")
Injects a logger call to standard errors
Description
This function sets a hook to trigger log_error() when stop() is called
to log the error messages with the global logger layout and appender.
Usage
log_errors(
  muffle = getOption("logger_muffle_errors", FALSE),
  traceback = FALSE
)
Arguments
| muffle | if TRUE, the error is not thrown after being logged | 
| traceback | if TRUE the error traceback is logged along with the error message | 
Examples
## Not run: 
log_errors()
stop("foobar")
## End(Not run)
Evaluate an expression and log results
Description
Evaluate an expression and log results
Usage
log_eval(expr, level = TRACE, multiline = FALSE)
Arguments
| expr | R expression to be evaluated while logging the expression itself along with the result | 
| level | |
| multiline | setting to  | 
Examples
log_eval(pi * 2, level = INFO)
## lowering the log level threshold so that we don't have to set a higher level in log_eval
log_threshold(TRACE)
log_eval(x <- 4)
log_eval(sqrt(x))
## log_eval can be called in-line as well as returning the return value of the expression
x <- log_eval(mean(runif(1e3)))
x
## https://twitter.com/krlmlr/status/1067864829547999232
f <- sqrt
g <- mean
x <- 1:31
log_eval(f(g(x)), level = INFO)
log_eval(y <- f(g(x)), level = INFO)
## returning a function
log_eval(f <- sqrt)
log_eval(f)
## evaluating something returning a wall of "text"
log_eval(f <- log_eval)
log_eval(f <- log_eval, multiline = TRUE)
## doing something computationally intensive
log_eval(system.time(for (i in 1:100) mad(runif(1000))), multiline = TRUE)
Logs the error message to console before failing
Description
Logs the error message to console before failing
Usage
log_failure(expression)
Arguments
| expression | call | 
Examples
log_failure("foobar")
try(log_failure(foobar))
Get or set log message formatter
Description
Get or set log message formatter
Usage
log_formatter(formatter = NULL, namespace = "global", index = 1)
Arguments
| formatter | function defining how R objects are converted into
a single string, eg  | 
| namespace | logger namespace | 
| index | index of the logger within the namespace | 
See Also
Other log configutation functions: 
log_appender(),
log_layout(),
log_threshold()
Returns number of currently active indices
Description
Returns number of currently active indices
Usage
log_indices(namespace = "global")
Arguments
| namespace | override the default / auto-picked namespace with a custom string | 
Value
number of indices
Get or set log record layout
Description
Get or set log record layout
Usage
log_layout(layout = NULL, namespace = "global", index = 1)
Arguments
| layout | function defining the structure of a log record, eg
 | 
| namespace | logger namespace | 
| index | index of the logger within the namespace | 
See Also
Other log configutation functions: 
log_appender(),
log_formatter(),
log_threshold()
Examples
log_layout(layout_json())
log_info(42)
Log a message with given log level
Description
Log a message with given log level
Usage
log_level(
  level,
  ...,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
log_fatal(
  ...,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
log_error(
  ...,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
log_warn(
  ...,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
log_success(
  ...,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
log_info(
  ...,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
log_debug(
  ...,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
log_trace(
  ...,
  namespace = NA_character_,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
Arguments
| level | log level, see  | 
| ... | R objects that can be converted to a character vector via the active message formatter function | 
| namespace | string referring to the  | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
| .timestamp | The time the logging occured. Defaults to the current time but may be overwritten if the logging is delayed from the time it happend | 
Value
Invisible list of logger objects. See logger() for more details on the format.
Examples
log_level(INFO, "hi there")
log_info("hi there")
## output omitted
log_debug("hi there")
## lower threshold and retry
log_threshold(TRACE)
log_debug("hi there")
## multiple lines
log_info("ok {1:3} + {1:3} = {2*(1:3)}")
## use json layout
log_layout(layout_json(c("time", "level")))
log_info("ok {1:3} + {1:3} = {2*(1:3)}")
Log levels
Description
The standard Apache logj4 log levels plus a custom level for
SUCCESS. For the full list of these log levels and suggested
usage, check the below Details.
Usage
OFF
FATAL
ERROR
WARN
SUCCESS
INFO
DEBUG
TRACE
Details
List of supported log levels:
-  OFFNo events will be logged
-  FATALSevere error that will prevent the application from continuing
-  ERRORAn error in the application, possibly recoverable
-  WARNAn event that might possible lead to an error
-  SUCCESSAn explicit success event above the INFO level that you want to log
-  INFOAn event for informational purposes
-  DEBUGA general debugging event
-  TRACEA fine-grained debug message, typically capturing the flow through the application.
References
https://logging.apache.org/log4j/2.x/javadoc/log4j-api/org/apache/logging/log4j/Level.html, https://logging.apache.org/log4j/2.x/manual/customloglevels.html
Injects a logger call to standard messages
Description
This function sets a hook to trigger log_info() when message is called
to log the informative messages with the global logger layout and appender.
Usage
log_messages()
Examples
## Not run: 
log_messages()
message("hi there")
## End(Not run)
Looks up logger namespaces
Description
Looks up logger namespaces
Usage
log_namespaces()
Value
character vector of namespace names
Logs a long line to stand out from the console
Description
Logs a long line to stand out from the console
Usage
log_separator(
  level = INFO,
  namespace = NA_character_,
  separator = "=",
  width = 80,
  .logcall = sys.call(),
  .topcall = sys.call(-1),
  .topenv = parent.frame(),
  .timestamp = Sys.time()
)
Arguments
| level | log level, see  | 
| namespace | string referring to the  | 
| separator | character to be used as a separator | 
| width | max width of message – longer text will be wrapped into multiple lines | 
| .logcall | the logging call being evaluated (useful in formatters and layouts when you want to have access to the raw, unevaluated R expression) | 
| .topcall | R expression from which the logging function was called (useful in formatters and layouts to extract the calling function's name or arguments) | 
| .topenv | original frame of the  | 
| .timestamp | The time the logging occured. Defaults to the current time but may be overwritten if the logging is delayed from the time it happend | 
See Also
Examples
log_separator()
log_separator(ERROR, separator = "!", width = 60)
log_separator(ERROR, separator = "!", width = 100)
logger <- layout_glue_generator(format = "{node}/{pid}/{namespace}/{fn} {time} {level}: {msg}")
log_layout(logger)
log_separator(ERROR, separator = "!", width = 100)
log_layout(layout_blank)
log_separator(ERROR, separator = "!", width = 80)
Auto logging input changes in Shiny app
Description
This is to be called in the server section of the Shiny app.
Usage
log_shiny_input_changes(
  input,
  level = INFO,
  namespace = NA_character_,
  excluded_inputs = character()
)
Arguments
| input | passed from Shiny's  | 
| level | log level | 
| namespace | the name of the namespace | 
| excluded_inputs | character vector of input names to exclude from logging | 
Examples
## Not run: 
library(shiny)
ui <- bootstrapPage(
  numericInput("mean", "mean", 0),
  numericInput("sd", "sd", 1),
  textInput("title", "title", "title"),
  textInput("foo", "This is not used at all, still gets logged", "foo"),
  passwordInput("password", "Password not to be logged", "secret"),
  plotOutput("plot")
)
server <- function(input, output) {
  logger::log_shiny_input_changes(input, excluded_inputs = "password")
  output$plot <- renderPlot({
    hist(rnorm(1e3, input$mean, input$sd), main = input$title)
  })
}
shinyApp(ui = ui, server = server)
## End(Not run)
Get or set log level threshold
Description
Get or set log level threshold
Usage
log_threshold(level = NULL, namespace = "global", index = 1)
Arguments
| level | see  | 
| namespace | logger namespace | 
| index | index of the logger within the namespace | 
Value
currently set log level threshold
See Also
Other log configutation functions: 
log_appender(),
log_formatter(),
log_layout()
Examples
## check the currently set log level threshold
log_threshold()
## change the log level threshold to WARN
log_threshold(WARN)
log_info(1)
log_warn(2)
## add another logger with a lower log level threshold and check the number of logged messages
log_threshold(INFO, index = 2)
log_info(1)
log_warn(2)
## set the log level threshold in all namespaces to ERROR
log_threshold(ERROR, namespace = log_namespaces())
Tic-toc logging
Description
Tic-toc logging
Usage
log_tictoc(..., level = INFO, namespace = NA_character_)
Arguments
| ... | passed to  | 
| level | see  | 
| namespace | x | 
Author(s)
Thanks to Neal Fultz for the idea and original implementation!
Examples
log_tictoc("warming up")
Sys.sleep(0.1)
log_tictoc("running")
Sys.sleep(0.1)
log_tictoc("running")
Sys.sleep(runif(1))
log_tictoc("and running")
Injects a logger call to standard warnings
Description
This function sets a hook to trigger log_warn() when warning is called
to log the warning messages with the global logger layout and appender.
Usage
log_warnings(muffle = getOption("logger_muffle_warnings", FALSE))
Arguments
| muffle | if TRUE, the warning is not shown after being logged | 
Examples
## Not run: 
log_warnings()
for (i in 1:5) {
  Sys.sleep(runif(1))
  warning(i)
}
## End(Not run)
Logs a message in a very visible way
Description
Logs a message in a very visible way
Usage
log_with_separator(
  ...,
  level = INFO,
  namespace = NA_character_,
  separator = "=",
  width = 80
)
Arguments
| ... | R objects that can be converted to a character vector via the active message formatter function | 
| level | log level, see  | 
| namespace | string referring to the  | 
| separator | character to be used as a separator | 
| width | max width of message – longer text will be wrapped into multiple lines | 
See Also
Examples
log_with_separator("An important message")
log_with_separator("Some critical KPI down!!!", separator = "$")
log_with_separator("This message is worth a {1e3} words")
log_with_separator(paste(
  "A very important message with a bunch of extra words that will",
  "eventually wrap into a multi-line message for our quite nice demo :wow:"
))
log_with_separator(
  paste(
    "A very important message with a bunch of extra words that will",
    "eventually wrap into a multi-line message for our quite nice demo :wow:"
  ),
  width = 60
)
log_with_separator("Boo!", level = FATAL)
log_layout(layout_blank)
log_with_separator("Boo!", level = FATAL)
logger <- layout_glue_generator(format = "{node}/{pid}/{namespace}/{fn} {time} {level}: {msg}")
log_layout(logger)
log_with_separator("Boo!", level = FATAL, width = 120)
Generate logging utility
Description
A logger consists of a log level threshold, a log message
formatter function, a log record layout formatting function and
the appender function deciding on the destination of the log
record. For more details, see the package README.md.
Usage
logger(threshold, formatter, layout, appender)
Arguments
| threshold | omit log messages below this  | 
| formatter | function pre-processing the message of the log
record when it's not wrapped in a  | 
| layout | function rendering the layout of the actual log record | 
| appender | function writing the log record | 
Details
By default, a general logger definition is created when loading the logger package, that uses
-  INFO()(or as per theLOGGER_LOG_LEVELenvironment variable override) as the log level threshold
-  layout_simple()as the layout function showing the log level, timestamp and log message
-  formatter_glue()(orformatter_sprintf()if glue is not installed) as the default formatter function transforming the R objects to be logged to a character vector
-  appender_console()as the default log record destination
Value
A function taking the log level to compare with the set
threshold, all the ... arguments passed to the formatter
function, besides the standard namespace, .logcall,
.topcall and .topenv arguments (see log_level() for more
details). The function invisibly returns a list including the
original level, namespace, all ... transformed to a list as
params, the log message (after calling the formatter
function) and the log record (after calling the layout
function), and a list of handlers with the formatter,
layout and appender functions.
Note
It's quite unlikely that you need to call this function
directly, but instead set the logger parameters and functions at
log_threshold(), log_formatter(), log_layout() and
log_appender() and then call log_levels() and its
derivatives, such as log_info() directly.
References
For more details, see the Anatomy of a Log Request vignette at https://daroczig.github.io/logger/articles/anatomy.html.
Examples
## Not run: 
do.call(logger, logger:::namespaces$global[[1]])(INFO, 42)
do.call(logger, logger:::namespaces$global[[1]])(INFO, "{pi}")
x <- 42
do.call(logger, logger:::namespaces$global[[1]])(INFO, "{x}^2 = {x^2}")
## End(Not run)
Skip the formatter function
Description
Adds the skip_formatter attribute to an object so that logger
will skip calling the formatter function(s). This is useful if you
want to preprocess the log message with a custom function instead
of the active formatter function(s). Note that the message should
be a string, and skip_formatter should be the only input for the
logging function to make this work.
Usage
skip_formatter(message, ...)
Arguments
| message | character vector directly passed to the appender
function in  | 
| ... | should be never set | 
Value
character vector with skip_formatter attribute set to
TRUE
Evaluate R expression with a temporarily updated log level threshold
Description
Evaluate R expression with a temporarily updated log level threshold
Usage
with_log_threshold(
  expression,
  threshold = ERROR,
  namespace = "global",
  index = 1
)
Arguments
| expression | R command | 
| threshold | |
| namespace | logger namespace | 
| index | index of the logger within the namespace | 
Examples
log_threshold(TRACE)
log_trace("Logging everything!")
x <- with_log_threshold(
  {
    log_info("Now we are temporarily suppressing eg INFO messages")
    log_warn("WARN")
    log_debug("Debug messages are suppressed as well")
    log_error("ERROR")
    invisible(42)
  },
  threshold = WARN
)
x
log_trace("DONE")