Introduction

Starting from version 6.0.0, roxygen supports markdown markup within most roxygen tags. Roxygen uses the commonmark package, which is based on the CommonMark Reference Implementation to parse these tags. See https://commonmark.org/help/ for more about the parser and the markdown language it supports. You can also still use the .Rd syntax, some of which we will present below in the Rd syntax section.

Turning on markdown support

There are two ways to turn on markdown support for a package: globally, at the package level, and locally at the block level.

To turn on markdown for the whole package, insert this entry into the DESCRIPTION file of the package:

Roxygen: list(markdown = TRUE)

The position of the entry in the file does not matter. After this, all Roxygen documentation will be parsed as markdown.

Alternatively, you can use the @md tag to turn on markdown support for a single documentation chunk. This is a good option to write any new documentation for existing packages in markdown.

There is also a new @noMd tag. Use this if you turned on markdown parsing globally, but need to avoid it for a single chunk. This tag is handy if the markdown parser interferes with more complex Rd syntax.

Here is an example roxygen chunk that uses markdown.

#' Use roxygen to document a package
#'
#' This function is a wrapper for the [roxygen2::roxygenize()] function from
#' the roxygen2 package. See the documentation and vignettes of
#' that package to learn how to use roxygen.
#'
#' @param pkg package description, can be path or package name.  See
#'   [as.package()] for more information
#' @param clean,reload Deprecated.
#' @inheritParams roxygen2::roxygenise
#' @seealso [roxygen2::roxygenize()], `browseVignettes("roxygen2")`
#' @export
#' @md

Syntax

Sections

The usual markdown heading markup creates sections and subsections. Top level headings, i.e. ‘#’ create sections, via the \section{} Rd tag. ‘#’ may only appear after the @description and @details tags. Since @details can appear multiple times in a block, you can always precede a ‘#’ section with @details, if you prefer to place it towards the end of the block, after @return for example:

#' @details
#' Trim the leading and trailing whitespace from a character vector.
#'
#' @param x Character vector.
#' @return Character vector, with the whitespace trimmed.
#'
#' @details # This will be a new section
#' ...

Top level sections are always placed at a fixed position in the manual page, after the parameters and the details, but before \note{}, \seealso{} and the \examples{}. Their order will be the same as in the roxygen block.

Subsections

Headings at level two and above may appear inside any roxygen tag that formats lines of text. E.g. @description, @details, @return, etc. They create subsections, via the \subsection{} Rd tag. They are allowed within top level sections as well, i.e. after ‘#’. Subsections can be nested. Example:

#' @details
#' ## Subsection within details
#' ### Sub-subsection
#' ... text ...

Emphasis

Emphasis and strong (bold) text are supported. For emphasis, put the text between asterisks or underline characters. For strong text, use two asterisks at both sides.

#' @references
#' Robert E Tarjan and Mihalis Yannakakis. (1984). Simple
#' linear-time algorithms to test chordality of graphs, test acyclicity
#' of hypergraphs, and selectively reduce acyclic hypergraphs.
#' *SIAM Journal of Computation* **13**, 566-579.
#' See `::is_falsy` for the definition of what is _falsy_
#' and what is _truthy_.

Code

Inline code is supported via backticks.

#' @param ns Optionally, a named vector giving prefix-url pairs, as
#'   produced by `xml_ns`. If provided, all names will be explicitly
#'   qualified with the ns prefix, i.e. if the element `bar` is defined ...

You can also use this syntax to run custom R code and insert its output into the manual page. See section ‘Dynamic R code’ below.

For blocks of code, put your code between triple backticks:

#' ```
#' pkg <- make_packages(
#'   foo1 = { f <- function() print("hello!") ; d <- 1:10 },
#'   foo2 = { f <- function() print("hello again!") ; d <- 11:20 }
#' )
#' foo1::f()
#' foo2::f()
#' foo1::d
#' foo2::d
#' dispose_packages(pkg)
#' ```

Note that this is not needed in @examples, since its contents are formatted as R code, anyway.

You can use similar syntax to include a block of R code and/or its output in the manual page. See section ‘Dynamic R code’ below.

Lists

Regular Markdown lists are recognized and converted to \enumerate{} or \itemize{} lists:

#' There are two ways to use this function:
#' 1. If its first argument is not named, then it returns a function
#'    that can be used to color strings.
#' 1. If its first argument is named, then it also creates a
#'    style with the given name. This style can be used in
#'    `style`. One can still use the return value
#'    of the function, to create a style function.
#' The style (the `...` argument) can be anything of the
#' following:
#' * An R color name, see `colors()`.
#' * A 6- or 8-digit hexa color string, e.g. `#ff0000` means
#'   red. Transparency (alpha channel) values are ignored.
#' * A one-column matrix with three rows for the red, green
#'   and blue channels, as returned by [grDevices::col2rgb()]

Nested lists are also supported.

Note that you do not have to leave an empty line before the list. This is different from some markdown parsers.

Tables

Use GFM table formatting:

| foo | bar |
| --- | --- |
| baz | bim |

By default, columns are left-aligned. Use colons to generate right and center aligned columns:

| left | center | right |
| :--- | :----: | ----: |
| 1    | 2      | 3     |

Images

Markdown syntax for inline images works. The image files must be in the man/figures directory:

#' Here is an example plot:
#' ![](example-plot.jpg "Example Plot Title")

Dynamic R code

Similarly to the knitr package, you can use the markdown inline code markup or markdown code blocks to evaluate R code and insert its output into the manual page.

Inline code

To do this, prefix the code with r, i.e. the lowercase letter ‘r’ and a space character. Roxygen will interpret the rest of the text within backticks as R code and evaluate it, and replace the backtick expression with its value. After all such substitutions, the text of the whole tag is interpreted as markdown, as usual.

For example, the following will insert the date and the R version of the roxygen run.

#' Roxygen created this manual page on `r Sys.Date()` using R version
#' `r getRversion()`.

The value of the R expression is converted to a character string, with paste(collapse = "\n"). So you don’t need explicitly convert to a character value, numeric values or any R object with an as.character() S3 method is fine. Also, you can insert multiple lines by returning a character vector. If you want to run R code without inserting any output, return an empty string or NULL.

The value of the expression is inserted into the text of the tag without interpreting it, before the markdown to .Rd conversion, so you can create markdown markup dynamically:

#' The `iris` data set has `r ncol(iris)` columns:
#' `r paste0("``", colnames(iris), "``", collapse = ", ")`.

Note that you need to escape backtick characters, if they appear in the R expression, by doubling them, like above. The result after the dynamic R code evaluation will be:

The `iris` data set has 5 columns:
`Sepal.Length`, `Sepal.Width`, `Petal.Length`, `Petal.Width`, `Species`.

And the final result in the .Rd file will look as:

The \code{iris} data set has 5 columns:
\code{Sepal.Length}, \code{Sepal.Width}, \code{Petal.Length}, \code{Petal.Width}, \code{Species}.

The R code is evaluated in a new environment that is the child of the package environment of the package you are documenting. This means that you can call (internal or exported) functions of the package. packageName() will also report the name of the package:

#' To insert the name of the current package: `r packageName()`.

A new evaluation environment is created for each roxygen block. So the output of this code:

#' @title ... `r myvar <- "foo"; NULL` `r myvar`
#'
#' @description ... `r myvar`

will be:

#' @title ... foo
#'
#' @description ... foo

Currently the whole code expression must be on the same line, multi-line expressions are not supported.

Code blocks

Markdown code blocks can be dynamic as well, if you use ```{r} to start them, just like in knitr documents.

#' ```{r}
#' # This block of code will be evaluated
#' summary(iris)
#' ```

Within a roxygen block, code blocks and inline code use the same evaluation environment, so variables created in one of them can be used in others.

Code blocks support knitr chunk options, e.g. to keep the output of several expressions together, you can specify results= "hold":

#' ```{r results = "hold"}
#' names(mtcars)
#' nrow(mtcars)
#' ```

Plots will create .png files in the man/figures directory. The file names are created from the chunk names:

#' ```{r iris-pairs-plot}
#' pairs(iris[1:4], main = "Anderson's Iris Data -- 3 species",
#'   pch = 21, bg = c("red", "green3", "blue")[unclass(iris$Species)])
#' ```

Note that the generated .png files will be added to the package, and they can considerably increase the size of the package.

Note that code block support is currently experimental, and somewhat limited. Some of the known limitations:

  • Because the code blocks are evaluated individually, they cannot refer to each other.
  • Some knitr chunk options are reset at the start of every code block, so if you want to change these, you’ll have to specify them for every chunk. These are currently error, fig.path, fig.process.
  • Some knitr options might not create meaningful output.
  • The markdown code runs every time you call roxygenize() (or devtools::document()) to generated the Rd files. This potentially makes roxygenize() (much) slower. You can turn on knitr caching as usual, but make sure to omit the cache from the package.

Roxygen and Rd tags not parsed as markdown

Some of the roxygen tags are not parsed as markdown. Most of these are unlikely to contain text that needs markup, so this is not an important restriction. Tags without markdown support: @aliases, @backref, @docType, @encoding, @evalRd, @example, @examples, @family, @inheritParams, @keywords, @method @name, @md, @noMd, @noRd, @rdname, @rawRd, @usage.

When mixing Rd and markdown notation, most Rd tags may contain markdown markup, the ones that can not are: \acronym, \code, \command, \CRANpkg, \deqn, \doi, \dontrun, \dontshow, \donttest, \email, \env, \eqn, \figure, \file, \if, \ifelse, \kbd, \link, \linkS4class, \method, \newcommand, \option, \out, \packageAuthor, \packageDescription, \packageDESCRIPTION, \packageIndices, \packageMaintainer, \packageTitle, \pkg, \PR, \preformatted, \renewcommand, \S3method, \S4method, \samp, \special, \testonly, \url, \var, \verb.

Possible problems

Mixing markdown and Rd markup

Note that turning on markdown does not turn off the standard Rd syntax. We suggest that you use the regular Rd tags in a markdown roxygen chunk only if necessary. The two parsers do occasionally interact, and the markdown parser can pick up and reformat Rd syntax, causing an error, or corrupted manuals.

Leading whitespace

Leading whitespace is interpreted by the commonmark parser, whereas it is ignored by the Rd parser (except in \preformatted{}). Make sure that you only include leading whitespace intentionally, for example for nested lists.

Spurious lists

The Commonmark parser does not require an empty line before lists, and this might lead to unintended lists if a line starts with a number followed by a dot, or with an asterisk followed by whitespace:

#' You can see more about this topic in the book cited below, on page
#' 42. Clearly, the numbered list that starts here is not intentional.

Rd syntax

Within roxygen tags, you can use .Rd syntax to format text. Below we show you examples of the most important .Rd markup commands. The full details are described in R extensions. Before roxygen version 6.0.0 this was the only supported syntax. Now all of the formatting described below can be achived more easily with markdown syntax, with the important exception of mathematical expressions.

Note that \ and % are special characters. To insert literals, escape with a backslash: \\, \%.

Character formatting

  • \emph{italics}

  • \strong{bold}

  • \code{r_function_call(with = "arguments")}, \code{NULL}, \code{TRUE}

  • \pkg{package_name}

Lists

  • Ordered (numbered) lists:

    #' \enumerate{
    #'   \item First item
    #'   \item Second item
    #' }
  • Unordered (bulleted) lists

    #' \itemize{
    #'   \item First item
    #'   \item Second item
    #' }
  • Definition (named) lists

    #' \describe{
    #'   \item{One}{First item}
    #'   \item{Two}{Second item}
    #' }

Mathematics

Standard LaTeX (with no extensions):

  • \eqn{a + b}: inline equation

  • \deqn{a + b}: display (block) equation

Tables

Tables are created with \tabular{}. It has two arguments:

  1. Column alignment, specified by letter for each column (l = left, r = right, c = centre.)

  2. Table contents, with columns separated by \tab and rows by \cr.

The following function turns an R data frame into the correct format, adding a row consisting of the (bolded) column names and prepending each row with #' for pasting directly into the documentation.

tabular <- function(df, ...) {
  stopifnot(is.data.frame(df))

  align <- function(x) if (is.numeric(x)) "r" else "l"
  col_align <- purrr::map_chr(df, align)

  cols <- lapply(df, format, ...)
  contents <- do.call("paste",
    c(cols, list(sep = " \\tab ", collapse = "\\cr\n#'   ")))

  paste("#' \\tabular{", paste(col_align, collapse = ""), "}{\n#'   ",
    paste0("\\strong{", names(df), "}", sep = "", collapse = " \\tab "), " \\cr\n#'   ",
    contents, "\n#' }\n", sep = "")
}

cat(tabular(mtcars[1:5, 1:5]))
#> #' \tabular{rrrrr}{
#> #'   \strong{mpg} \tab \strong{cyl} \tab \strong{disp} \tab \strong{hp} \tab \strong{drat} \cr
#> #'   21.0 \tab 6 \tab 160 \tab 110 \tab 3.90\cr
#> #'   21.0 \tab 6 \tab 160 \tab 110 \tab 3.90\cr
#> #'   22.8 \tab 4 \tab 108 \tab  93 \tab 3.85\cr
#> #'   21.4 \tab 6 \tab 258 \tab 110 \tab 3.08\cr
#> #'   18.7 \tab 8 \tab 360 \tab 175 \tab 3.15
#> #' }