R的新手并试图找出条形图。
我正在尝试在R中创建一个条形图,显示由第三列分组的2列数据。
DataFrame名称:SprintTotalHours
包含数据的列:
OriginalEstimate,TimeSpent,Sprint
178,471.5,16.6.1
210,226,16.6.2
240,195,16.6.3
我想要一个条形图,显示每个sprint的OriginalEstimate
旁边的TimeSpent
。
我尝试了这个,但我得不到我想要的东西:
colours = c("red","blue")
barplot(as.matrix(SprintTotalHours),main='Hours By Sprint',ylab='Hours', xlab='Sprint' ,beside = TRUE, col=colours)
abline(h=200)
我想使用基本图形,但如果不能完成,那么我不反对在必要时安装软件包。
答案 0 :(得分:4)
cols <- c('red','blue');
ylim <- c(0,max(SprintTotalHours[c('OriginalEstimate','TimeSpent')])*1.8);
par(lwd=6);
barplot(
t(SprintTotalHours[c('OriginalEstimate','TimeSpent')]),
beside=T,
ylim=ylim,
border=cols,
col='white',
names.arg=SprintTotalHours$Sprint,
xlab='Sprint',
ylab='Hours',
legend.text=c('Estimated','TimeSpent'),
args.legend=list(text.col=cols,col=cols,border=cols,bty='n')
);
box();
数据强>
SprintTotalHours <- data.frame(OriginalEstimate=c(178L,210L,240L),TimeSpent=c(471.5,226,
195),Sprint=c('16.6.1','16.6.2','16.6.3'),stringsAsFactors=F);
答案 1 :(得分:3)
使用基数R:
DF <- read.csv(text=
"OriginalEstimate,TimeSpent,Sprint
178,471.5,16.6.1
210,226,16.6.2
240,195,16.6.3")
# prepare the matrix for barplot
# note that we exclude the 3rd column and we transpose the data
mx <- t(as.matrix(DF[-3]))
colnames(mx) <- DF$Sprint
colours = c("red","blue")
# note the use of ylim to give 30% space for the legend
barplot(mx,main='Hours By Sprint',ylab='Hours', xlab='Sprint',beside = TRUE,
col=colours, ylim=c(0,max(mx)*1.3))
# to add a box around the plot
box()
# add a legend
legend('topright',fill=colours,legend=c('OriginalEstimate','TimeSpent'))
答案 2 :(得分:3)
你需要融化成长形,这样你才能分组。虽然可以在基础R中执行此操作,但实际上并没有很多人这样做,尽管有多种包选项(此处为tidyr
)。同样,ggplot2
以更少的工作为您提供更好的结果,并且是大多数人最终绘制的方式:
library(tidyr)
library(ggplot2)
ggplot(data = SprintTotalHours %>% gather(Variable, Hours, -Sprint),
aes(x = Sprint, y = Hours, fill = Variable)) +
geom_bar(stat = 'identity', position = 'dodge')
如果您愿意,可以使用基数R,但这种方法(或多或少)是此时的传统方法。