如何在R中的图中重新排序x轴?

时间:2013-05-16 12:53:53

标签: r plot

在R中使用plot会导致x轴上的因子按字母顺序排列。

如何在x轴上指定因子的顺序?

示例:

y <- 1:9
x <- c(rep("B", 3), rep("A", 3), rep("C", 3))
plot(y ~ as.factor(x))

这导致:

enter image description here

如何将其绘制为“B”,“A”,“C”?

2 个答案:

答案 0 :(得分:11)

您只需按所需顺序指定要素的级别。所以我在这里创建了一个新变量x1

x1  = factor(x, levels=c("B", "C", "A"))

,其中

R> x1
[1] B B B A A A C C C
Levels: B C A

plot功能现在按预期工作。

plot(y ~ x1)

答案 1 :(得分:5)

看起来你想根据每个箱形图的50%值以某种形式的顺序绘制它们?以不同的数据帧为例:

temp <- structure(list(
  Grade = c("U","G", "F", "E", "D", "C", "B", "A", "A*"), 
  n = c(20L, 13L, 4L, 13L, 36L, 94L, 28L, 50L, 27L)), 
  .Names = c("Grade", "n"), 
  class = c("tbl_df", "data.frame"), 
  row.names = c(NA, -9L))

如果我们绘制这个,我们可以看到标签搞砸了(A来自A *之前)。

library(ggplot2)
ggplot(temp) + 
geom_bar(stat="identity", aes(x=Grade, y=n))

enter image description here

我们可以手动订购,如上图所示,或者我们可以决定按照每个年级的学生数量顺序绘制成绩。这也可以手动完成,但如果我们可以自动执行此操作会更好:

首先我们订购数据框:

library(dplyr)
temp <- temp %>% arrange(n)

然后我们更改Grade列中的级别以表示数据的顺序

temp$Grade <- as.vector(temp$Grade) #get rid of factors
temp$Grade = factor(temp$Grade,temp$Grade) #add ordered factors back

运行上面显示的相同图形命令可以使用不同排序的x轴绘制数据。

enter image description here