我有一个函数,我想包装另一个函数,传递参数作为...
参数参数。我在学习如何使用lazyeval
构建基础函数调用时遇到问题。这是一个不错的MWE,
library(dplyr)
pythag <- function(a, b){
sqrt(a^2 + b^2)
}
pythag_wrapper <- function(data, ...){
dplyr::mutate_(data,
root = lazyeval::interp(~pythag(x), x = ...)
)
}
在此我的pythag_wrapper
将执行一些额外的数据修改。在我的案例中,pythag
有两个以上的论点。该功能可以正常工作,并且符合预期。
test_data <- dplyr::data_frame(a = runif(10), b = runif(10), c = runif(10))
test_data %>%
dplyr::mutate(
root = pythag(a = b, b = c)
)
## # A tibble: 10 × 4
## a b c root
## <dbl> <dbl> <dbl> <dbl>
## 1 0.19805337 0.05567241 0.9956758 0.9972311
## 2 0.22642799 0.18871552 0.8690659 0.8893195
## 3 0.09352032 0.57328658 0.7475573 0.9420719
## 4 0.40589832 0.71270806 0.8014196 1.0724860
## 5 0.35896302 0.85889027 0.8197176 1.1872782
## 6 0.66409819 0.02206298 0.1304790 0.1323312
## 7 0.45102742 0.76048535 0.5501899 0.9386410
## 8 0.48249177 0.93670363 0.8280114 1.2502066
## 9 0.05545819 0.12281684 0.9219704 0.9301148
## 10 0.47588862 0.40196106 0.0192433 0.4024214
我已经尝试了lazyeval::interp
,lazy_eval::lazy_dots
等各种组合,但我无法理解应该发生什么,更不用说如何解决我的问题了。问题
pythag_wrapper(test_data, a = "a", b = "b")
## Error: object 'x' not found
答案 0 :(得分:1)
代码中的问题在于如何处理点参数...
。
略微更改代码并“手动”重写包装器中的公式,它可以正常工作:
pythag_wrapper <- function(data, ...){
# From ... argument get names and values
dots = list(...)
# 'Write' the formula: ' ~ pythag(a = val1, b = val2)'
yourformula = as.formula(
paste0(" ~ pythag(",
paste0(names(dots), " = ", unlist(dots), collapse = ", "),
")")
)
# Apply the mutate_. The setNames here is what you need to
# apply the right name to the resulting column
dplyr::mutate_(data, .dots = setNames(list(yourformula), 'root'))
}