我想在数据框中为每个组创建一个单独的绘图,并在标题中包含该组。
使用虹膜数据集,我可以在基础R和ggplot中执行此操作
plots1 <- lapply(split(iris, iris$Species),
function(x)
ggplot(x, aes(x=Petal.Width, y=Petal.Length)) +
geom_point() +
ggtitle(x$Species[1]))
是否有使用dplyr的等效文件?
这是尝试使用facet而不是title。
p <- ggplot(data=iris, aes(x=Petal.Width, y=Petal.Length)) + geom_point()
plots2 = iris %>% group_by(Species) %>% do(plots = p %+% . + facet_wrap(~Species))
我使用%+%将p中的数据集替换为每次调用的子集。
或(工作但复杂)与ggtitle
plots3 = iris %>%
group_by(Species) %>%
do(
plots = ggplot(data=.) +
geom_point(aes(x=Petal.Width, y=Petal.Length)) +
ggtitle(. %>% select(Species) %>% mutate(Species=as.character(Species)) %>% head(1) %>% as.character()))
问题在于我似乎无法以非常简单的方式使用ggtitle为每个组设置标题。
谢谢!
答案 0 :(得分:40)
使用.$Species
将物种数据提取到ggtitle
:
iris %>% group_by(Species) %>% do(plots=ggplot(data=.) +
aes(x=Petal.Width, y=Petal.Length) + geom_point() + ggtitle(unique(.$Species)))
答案 1 :(得分:2)
在dplyr 0.8.0
中,我们可以使用group_map
:
library(dplyr, warn.conflicts = FALSE, quietly = TRUE)
#> Warning: le package 'dplyr' a été compilé avec la version R 3.5.2
library(ggplot2)
plots3 <- iris %>%
group_by(Species) %>%
group_map(~tibble(plots=list(
ggplot(.) + aes(x=Petal.Width, y=Petal.Length) + geom_point() + ggtitle(.y[[1]]))))
plots3
#> # A tibble: 3 x 2
#> # Groups: Species [3]
#> Species plots
#> <fct> <list>
#> 1 setosa <S3: gg>
#> 2 versicolor <S3: gg>
#> 3 virginica <S3: gg>
plots3$plots[[2]]
由reprex package(v0.2.0)于2019-02-18创建。
答案 2 :(得分:1)
这是使用rowwise
的另一个选项:
plots2 = iris %>%
group_by(Species) %>%
do(plots = p %+% .) %>%
rowwise() %>%
do(x=.$plots + ggtitle(.$Species))