R’s named function argument binding is a great aid in writing correct
programs. It is a good idea, if practical, to force optional arguments
to only be usable by name. To do this declare the additional arguments
after “…” and enforce that none got lost in the
“… trap” by using a checker such as
wrapr::stop_if_dot_args().
Example:
#' Increment x by inc.
#' 
#' @param x item to add to
#' @param ... not used for values, forces later arguments to bind by name
#' @param inc (optional) value to add
#' @return x+inc
#'
#' @examples
#'
#' f(7) # returns 8
#'
f <- function(x, ..., inc = 1) {
   wrapr::stop_if_dot_args(substitute(list(...)), "f")
   x + inc
}
f(7)## [1] 8## [1] 9## <simpleError: f unexpected arguments: q = 'mtcars'>## <simpleError: f unexpected arguments: '2'>By R function evaluation rules: any unexpected/undeclared arguments
are captured by the “…” argument. Then
“wrapr::stop_if_dot_args()” inspects for such values and reports an
error if there are such. The "f" string is returned as part of the
error, I chose the name of the function as in this case. The
“substitute(list(…))” part is R’s way of making the contents of “…”
available for inspection.
You can also use the technique on required arguments. wrapr::stop_if_dot_args() is a simple low-dependency helper function intended to make writing code such as the above easier. This is under the rubric that hidden errors are worse than thrown exceptions. It is best to find and signal problems early, and near the cause.
The idea is that you should not expect a user to remember the positions of more than 1 to 3 arguments, the rest should only be referable by name. Do not make your users count along large sequences of arguments, the human brain may have special cases for small sequences.
If you have a procedure with 10 parameters, you probably missed some. Alan Perlis, “Epigrams on Programming”, ACM SIGPLAN Notices 17 (9), September 1982, pp. 7–13.
Note that the “substitute(list(…))” part is the R idiom
for capturing the unevaluated contents of “…”, I felt it
best to use standard R as much a possible in favor of introducing any
additional magic invocations.