如果下面的时间序列示例中缺少数据,有没有办法为geom_bar()
设置一个恒定的宽度?我尝试在width
中设置aes()
但没有运气。比较代码示例下方图表中的5月11日至6月11日的条形宽度。
colours <- c("#FF0000", "#33CC33", "#CCCCCC", "#FFA500", "#000000" )
iris$Month <- rep(seq(from=as.Date("2011-01-01"), to=as.Date("2011-10-01"), by="month"), 15)
colours <- c("#FF0000", "#33CC33", "#CCCCCC", "#FFA500", "#000000" )
iris$Month <- rep(seq(from=as.Date("2011-01-01"), to=as.Date("2011-10-01"), by="month"), 15)
d<-aggregate(iris$Sepal.Length, by=list(iris$Month, iris$Species), sum)
d$quota<-seq(from=2000, to=60000, by=2000)
colnames(d) <- c("Month", "Species", "Sepal.Width", "Quota")
d$Sepal.Width<-d$Sepal.Width * 1000
g1 <- ggplot(data=d, aes(x=Month, y=Quota, color="Quota")) + geom_line(size=1)
g1 + geom_bar(data=d[c(-1:-5),], aes(x=Month, y=Sepal.Width, width=10, group=Species, fill=Species), stat="identity", position="dodge") + scale_fill_manual(values=colours)
答案 0 :(得分:29)
最简单的方法是补充数据集,以便每个组合都存在,即使它的值为NA
。举一个更简单的例子(因为你的有很多不需要的功能):
dat <- data.frame(a=rep(LETTERS[1:3],3),
b=rep(letters[1:3],each=3),
v=1:9)[-2,]
ggplot(dat, aes(x=a, y=v, colour=b)) +
geom_bar(aes(fill=b), stat="identity", position="dodge")
这显示了您要避免的行为:在组“B”中,没有组“a”,因此条形更宽。使用包含dat
和a
所有组合的数据框补充b
:
dat.all <- rbind(dat, cbind(expand.grid(a=levels(dat$a), b=levels(dat$b)), v=NA))
ggplot(dat.all, aes(x=a, y=v, colour=b)) +
geom_bar(aes(fill=b), stat="identity", position="dodge")
答案 1 :(得分:14)
我遇到了同样的问题,但正在寻找适用于管道(%>%
)的解决方案。使用tidyr::spread
中的tidyr::gather
和tidyverse
可以解决问题。我使用与@Brian Diggs相同的数据,但是当转换为wide时,大写变量名称不会以双变量名结尾:
library(tidyverse)
dat <- data.frame(A = rep(LETTERS[1:3], 3),
B = rep(letters[1:3], each = 3),
V = 1:9)[-2, ]
dat %>%
spread(key = B, value = V, fill = NA) %>% # turn data to wide, using fill = NA to generate missing values
gather(key = B, value = V, -A) %>% # go back to long, with the missings
ggplot(aes(x = A, y = V, fill = B)) +
geom_col(position = position_dodge())
修改强>
与管道组合实际上有一个更简单的解决方案。使用tidyr::complete
会在一行中显示相同的结果:
dat %>%
complete(A, B) %>%
ggplot(aes(x = A, y = V, fill = B)) +
geom_col(position = position_dodge())
答案 2 :(得分:11)
ggplot2 3.0.0 中引入的position_dodge()
和新position_dodge2()
的一些新选项可以提供帮助。
您可以在preserve = "single"
中使用position_dodge()
将宽度作为单个元素的基础,因此所有条形的宽度都将相同。
ggplot(data = d, aes(x = Month, y = Quota, color = "Quota")) +
geom_line(size = 1) +
geom_col(data = d[c(-1:-5),], aes(y = Sepal.Width, fill = Species),
position = position_dodge(preserve = "single") ) +
scale_fill_manual(values = colours)
使用position_dodge2()
可以更改事物居中的方式,将每组条形图在每个x轴位置居中。它内置了一些padding
,因此请使用padding = 0
删除。
ggplot(data = d, aes(x = Month, y = Quota, color = "Quota")) +
geom_line(size = 1) +
geom_col(data = d[c(-1:-5),], aes(y = Sepal.Width, fill = Species),
position = position_dodge2(preserve = "single", padding = 0) ) +
scale_fill_manual(values = colours)