4

我有一个data.frame5 列,我想生成一个密度图矩阵,这样每个密度图都是两个密度图的叠加。(这类似于 plotmatrix,除了在我的情况下,每列中非 NA 值的数量因列而异,我想要叠加分布而不是散点图)。

我的第一次尝试没有成功,如下所示:

library(ggplot2)
library(reshape)

tmp1 <- data.frame(do.call(cbind, lapply(1:5, function(x) {
  r <- rnorm(100)
  r[sample(1:100, 20)] <- NA
  return(r)
})))

ggplot( melt(tmp1), aes(x=value, fill=variable))+
  geom_density(alpha=0.2, position="identity")+opts(legend.position = "none")+
  facet_grid(variable ~ variable)

我的第二种方法让我接近了那里,但我不想使用 5 种不同的颜色,而只想在所有地块中使用两种颜色。而且,我确信有一种更优雅的方式来构建这个扩展矩阵:

tmp2 <- do.call(rbind, lapply(1:5, function(i) {
  do.call(rbind, lapply(1:5, function(j) {
    r <- rbind(data.frame(var=sprintf('X%d', i), val=tmp1[,i]),
               data.frame(var=sprintf('X%d', j), val=tmp1[,j]))
    r <- data.frame(xx=sprintf('X%d', i), yy=sprintf('X%d', j), r)
    return(r)
  }))
}))
ggplot(tmp2, aes(x=val, fill=var))+
  geom_density(alpha=0.2, position="identity")+opts(legend.position = "none")+
  facet_grid(xx ~ yy)

我的解决方案是手动循环遍历成对的列并手动生成叠加密度图,将它们保存到列表中。然后我使用“grid.arrange”将它们排列在一个网格中,如下图所示。

但是是否可以改为使用来实现这一目标facet_grid

叠加密度图矩阵

4

1 回答 1

6

最简单的方法是使用所有排列(其中 5 * 5 = 25)重塑您的数据。

require(gregmisc)
perm <- permutations(5, 2, paste0("X", 1:5), repeats.allowed=TRUE)
# instead of gregmisc + permutations, you can use expand.grid from base as:
# perm <- expand.grid(paste0("X", 1:5), paste0("X", 1:5))
o <- apply(perm, 1, function(idx) {
    t <- tmp1[idx]
    names(t) <- c("A", "B")
    t$id1 <- idx[1]
    t$id2 <- idx[2]
    t
})
require(ggplot2)
require(reshape2)    
o <- do.call(rbind, o)
o.m <- melt(o, c("id1", "id2"))
o.m$id1 <- factor(o.m$id1)
o.m$id2 <- factor(o.m$id2)
p <- ggplot(o.m, aes(x = value))
p <- p + geom_density(alpha = 0.2, position = "identity", aes(fill = variable)) 
p <- p + theme(legend.position = "none")
p <- p + facet_grid(id1 ~ id2)
p

ggplot2_facet_grid

于 2013-02-10T13:56:11.433 回答