我正在将地块移至ggplot中。除了这一行(从此previous question获得的代码)之外,几乎存在:

#Set the bet sequence and the % lines
betseq <- 0:700 #0 to 700 bets
perlin <- 0.05 #Show the +/- 5% lines on the graph

#Define a function that plots the upper and lower % limit lines
dralim <- function(stax, endx, perlin) {
  lines(stax:endx, qnorm(1-perlin)*sqrt((stax:endx)-stax))
  lines(stax:endx, qnorm(perlin)*sqrt((stax:endx)-stax))
}

#Build the plot area and draw the vertical dashed lines
plot(betseq, rep(0, length(betseq)), type="l", ylim=c(-50, 50), main="", xlab="Trial Number", ylab="Cumulative Hits")
abline(h=0)
abline(v=35, lty="dashed") #Seg 1
abline(v=185, lty="dashed") #Seg 2
abline(v=385, lty="dashed") #Seg 3
abline(v=485, lty="dashed") #Seg 4
abline(v=585, lty="dashed") #Seg 5

#Draw the % limit lines that correspond to the vertical dashed lines by calling the
#new function dralim.
dralim(0, 35, perlin) #Seg 1
dralim(36, 185, perlin) #Seg 2
dralim(186, 385, perlin) #Seg 3
dralim(386, 485, perlin) #Seg 4
dralim(486, 585, perlin) #Seg 5
dralim(586, 701, perlin) #Seg 6

我可以显示我已经走了多远(不远):
ggplot(a, aes(x=num,y=s, colour=ss)) +geom_line() +stat_smooth(method="lm", formula="y~poly(x,2)")

要清楚。我正在引用线上绘制数据(上图)。底部的图像显示了我的数据以及我在获取引用线方面的不当尝试(这显然没有用)。

最佳答案

您正在做的是将抛物线拟合到数据中,而不是绘制先前定义的抛物线。要适应ggplot并不太困难。

与您的开始相同(尽管betseq实际上未在任何地方使用)

#Set the bet sequence and the % lines
betseq <- 0:700 #0 to 700 bets
perlin <- 0.05 #Show the +/- 5% lines on the graph

而不是代替绘制线条的函数,而要创建一个返回想要的geom_line(在列表中)的函数。有一个隐含的aes(x=x, y=y),稍后将在ggplot声明中给出,但这定义了构成抛物线的数据点。
#Define a function that plots the upper and lower % limit lines
dralim <- function(stax, endx, perlin) {
  c(geom_line(data = data.frame(x=stax:endx,
                                y=qnorm(1-perlin)*sqrt((stax:endx)-stax))),
    geom_line(data = data.frame(x=stax:endx,
                                y=qnorm(perlin)*sqrt((stax:endx)-stax))))
}

为了节省重复,请定义垂直线的位置(edges),该位置也可以用于定义抛物线的左右端点(ranges)。
edges <- data.frame(x=c(0, 35, 185, 285, 485, 585, 700))
ranges <- data.frame(left = edges$x[-nrow(edges)],
                     right = edges$x[-1] + 1)

现在构建ggplot。有一个geom_vline可以绘制所有垂直线(因为我们在单个数据集中定义了位置)。不寻常的步骤是遍历ranges的行(索引),并使用相应的左右值(和dralim)调用perlin。这将返回geom_lines列表的列表,但是可以按照常规方式将其添加到绘图中,并添加所有行。最后两个刻度调用仅用于设置标签,如果是y轴,则设置范围。
ggplot(mapping=aes(x=x,  y=y)) +
  geom_vline(data=edges, aes(xintercept = x), linetype="dashed") +
  lapply(seq_len(nrow(ranges)),
         function(r) {dralim(ranges$left[r], ranges$right[r], perlin)}) +
  scale_y_continuous("Cumulative Hits", lim=c(-50,50)) +
  scale_x_continuous("Trial Number")

关于r - ggplot上的抛物线引用线,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13479105/

10-09 04:59