我想用ggplot2和自定义y限制绘制条形图。

Type <- LETTERS[1:5]
Y    <- c(99, 99.5, 99.0, 98.8, 98.5)

df <- data.frame(Type, Y)


以下代码适用于条形图:

library(ggplot2)
ggplot(data = df, mapping = aes(x = Type, y = Y, fill = Type)) +
  geom_bar(stat = "identity") +
  theme_bw()


但是,我无法设置y限制。请参见下面的代码。

ggplot(data = df, mapping = aes(x = Type, y = Y, fill = Type)) +
  geom_bar(stat = "identity") +
  scale_y_continuous(limits = c(90, 100)) +
  theme_bw()

ggplot(data = df, mapping = aes(x = Type, y = Y, fill = Type)) +
  geom_bar(stat = "identity") +
  ylim(90, 100) +
  theme_bw()


已编辑

我猜这是由于stat = "identity"引起的。

最佳答案

使用geom_rect()代替geom_bar()的解决方案:

# Generate data
Type <- LETTERS[1:5]
Y    <- c(99, 99.5, 99.0, 98.8, 98.5)
df   <- data.frame(Type, Y)

# Plot data
library(ggplot2)
ggplot() +
    geom_rect(data = df,
              aes(xmin = as.numeric(Type) - 0.3,
                  xmax = as.numeric(Type) + 0.3,
                  ymin = 90, ymax = Y,
                  fill = Type)) +
    scale_x_continuous(label = df$Type, breaks = 1:nrow(df))


geom_rect()中,将x坐标指定为as.numeric(X) -/+ valueymin作为所需的下限坐标,ymax作为实际的Y值。

r - ggplot2:具有自定义y限制的geom_bar-LMLPHP

08-19 09:39