给出下面的频率表:
> print(dat)
V1 V2
1 1 11613
2 2 6517
3 3 2442
4 4 687
5 5 159
6 6 29
# V1 = Score
# V2 = Frequency
我们如何绘制密度,(即y轴范围从0到1.0)。
目前,我有以下频率情节:
plot(0,main="table",type="n");
lines(dat,lty=1)
# I need to use lines() and plot() here,
# because need to make multiple lines in single plot
不确定如何接近密度。
答案 0 :(得分:4)
假设每行是一个单独的块,每个块的密度为V2 / sum(V2)
。
为您的数据
dat <- data.frame(V1 = 1:6, V2 = c(11613, 6517, 2442, 687, 159, 29))
我明白了:
> with(dat, V2 / sum(V2))
[1] 0.541474332 0.303865342 0.113862079 0.032032452 0.007413624 0.001352170
我们可以使用R的工具进行检查。首先扩展您的紧凑频率表
dat2 <- unlist(apply(dat, 1, function(x) rep(x[1], x[2])))
然后使用hist()
计算我们想要的值
dens <- hist(dat2, breaks = c(0:6), plot = FALSE)
查看结果对象:
> str(dens)
List of 7
$ breaks : int [1:7] 0 1 2 3 4 5 6
$ counts : int [1:6] 11613 6517 2442 687 159 29
$ intensities: num [1:6] 0.54147 0.30387 0.11386 0.03203 0.00741 ...
$ density : num [1:6] 0.54147 0.30387 0.11386 0.03203 0.00741 ...
$ mids : num [1:6] 0.5 1.5 2.5 3.5 4.5 5.5
$ xname : chr "dat2"
$ equidist : logi TRUE
- attr(*, "class")= chr "histogram"
请注意density
组件:
> dens$density
[1] 0.541474332 0.303865342 0.113862079 0.032032452 0.007413624 0.001352170
与原始频率表表示中的副手计算相符。
至于绘图,如果您只想绘制密度,请尝试:
dat <- transform(dat, density = V2 / sum(V2))
plot(density ~ V1, data = dat, type = "n")
lines(density ~ V1, data = dat, col = "red")
如果要强制轴限制,请执行以下操作:
plot(density ~ V1, data = dat, type = "n", ylim = c(0,1))
lines(density ~ V1, data = dat, col = "red")