R语言 在ggplot中编辑图例(文本)标签

wn9m85ua  于 2023-04-27  发布在  其他
关注(0)|答案(2)|浏览(150)

我花了几个小时在文档和StackOverflow上寻找,但似乎没有解决方案可以解决我的问题。当使用ggplot时,我无法在图例中获得正确的文本,即使它在我的 Dataframe 中。我已经尝试了scale_colour_manualscale_fill_manual,其中labels=具有不同的值,例如c("T999", "T888")", "cols"
下面是我的代码:

T999 <- runif(10, 100, 200)
T888 <- runif(10, 200, 300)
TY <- runif(10, 20, 30)
df <- data.frame(T999, T888, TY)

ggplot(data = df, aes(x=T999, y=TY, pointtype="T999")) + 
       geom_point(size = 15, colour = "darkblue") + 
       geom_point(data = df, aes(x=T888, y=TY), colour = 'red', size = 10 ) + 
       theme(axis.text.x = element_text(size = 20), axis.title.x =element_text(size = 20),   axis.text.y = element_text(size = 20)) +
       xlab("Txxx") + ylab("TY [°C]") + labs(title="temperatures", size = 15) + 
       scale_colour_manual(labels = c("T999", "T888"), values = c("darkblue", "red")) +    theme(legend.position="topright")

下面是上面代码的图形输出:

帮助将非常感谢!

j5fpnvbx

j5fpnvbx1#

@Henrik提到的教程是学习如何使用ggplot2包创建绘图的绝佳资源。
您的数据示例:

# transforming the data from wide to long
library(reshape2)
dfm <- melt(df, id = "TY")

# creating a scatterplot
ggplot(data = dfm, aes(x = TY, y = value, color = variable)) + 
  geom_point(size=5) +
  labs(title = "Temperatures\n", x = "TY [°C]", y = "Txxx", color = "Legend Title\n") +
  scale_color_manual(labels = c("T999", "T888"), values = c("blue", "red")) +
  theme_bw() +
  theme(axis.text.x = element_text(size = 14), axis.title.x = element_text(size = 16),
        axis.text.y = element_text(size = 14), axis.title.y = element_text(size = 16),
        plot.title = element_text(size = 20, face = "bold", color = "darkgreen"))

这导致:

正如@user2739472在评论中提到的:如果您只想更改图例文本标签而不是ggplot默认调色板中的颜色,则可以使用scale_color_hue(labels = c("T999", "T888"))而不是scale_color_manual()

ivqmmu1c

ivqmmu1c2#

图例标题可以通过特定的 * 美学 * 进行标记。
这可以使用ggplot2中的guides()labs()函数来实现(更多的herehere)。它允许您使用美学Map添加指南/图例属性。
下面是一个使用mtcars数据集和labs()的示例:

ggplot(mtcars, aes(x=mpg, y=disp, size=hp, col=as.factor(cyl), shape=as.factor(gear))) +
  geom_point() +
  labs(x="miles per gallon", y="displacement", size="horsepower", 
       col="# of cylinders", shape="# of gears")

使用guides()回答OP的问题:

# transforming the data from wide to long
require(reshape2)
dfm <- melt(df, id="TY")

# creating a scatterplot
ggplot(data = dfm, aes(x=TY, y=value, color=variable)) + 
  geom_point(size=5) +
  labs(title="Temperatures\n", x="TY [°C]", y="Txxx") +
  scale_color_manual(labels = c("T999", "T888"), values = c("blue", "red")) +
  theme_bw() +
  guides(color=guide_legend("my title"))  # add guide properties by aesthetic

相关问题