web-dev-qa-db-ja.com

dplyr:group_byを関数内で使用する方法は?

別の関数内でdplyr::group_by関数を使用したいのですが、この関数に引数を渡す方法がわかりません。

誰かが実際の例を提供できますか?

library(dplyr)
data(iris)
iris %.% group_by(Species) %.% summarise(n = n()) # 
## Source: local data frame [3 x 2]
##      Species  n
## 1  virginica 50
## 2 versicolor 50
## 3     setosa 50

mytable0 <- function(x, ...) x %.% group_by(...) %.% summarise(n = n())
mytable0(iris, "Species") # OK
## Source: local data frame [3 x 2]
##      Species  n
## 1  virginica 50
## 2 versicolor 50
## 3     setosa 50

mytable1 <- function(x, key) x %.% group_by(as.name(key)) %.% summarise(n = n())
mytable1(iris, "Species") # Wrong!
# Error: unsupported type for column 'as.name(key)' (SYMSXP)

mytable2 <- function(x, key) x %.% group_by(key) %.% summarise(n = n())
mytable2(iris, "Species") # Wrong!
# Error: index out of bounds

[〜#〜] update [〜#〜]:dplyr 0.7.0からは、tidy evalを使用してこれを達成できます。

詳細については、 http://dplyr.tidyverse.org/articles/programming.html を参照してください。

library(tidyverse)
data("iris")

my_table <- function(df, group_var) {
  group_var <- enquo(group_var)      # Create quosure
  df %>% 
    group_by(!!group_var) %>%        # Use !! to unquote the quosure
    summarise(n = n())
}

my_table(iris, Species)

> my_table(iris, Species)
# A tibble: 3 x 2
     Species     n
      <fctr> <int>
1     setosa    50
2 versicolor    50
3  virginica    50
7
Brad Cannell

彼らが来るとUいですが、彼女は働いています:

mytable3 <- function(x, key) {
  my.call <- bquote(summarise(group_by(.(substitute(x)), NULL), n = n()))
  my.call[[2]][[3]] <- as.name(key)
  eval(my.call, parent.frame())
} 
mytable3(iris, "Species")
# Source: local data frame [3 x 2]
#
#      Species  n
# 1  virginica 50
# 2 versicolor 50
# 3     setosa 50

これを破るケースはほぼ確実にありますが、あなたはそのアイデアを得ます。私はあなたが電話をいじることを回避できるとは思わない。動作はしましたが、さらにいものがもう1つあります。

mytable4 <- function(x, key) summarise(group_by(x, x[[key]]), n = n())
2
BrodieG