我正在编写一个函数来生成股票价格的时间序列图。但是,我收到以下错误
eval(expr,envir,enclos)出错:找不到对象'df1234'
以下是该功能的一个示例:
plot.prices <- function(df1234) {
require(ggplot2)
g <- ggplot(df1234, aes(x= as.Date(Date, format= "%Y-%m-%d"), y= df1234[, 3],
colour= brewer.pal(12,"Set3")[1])) + geom_point(size=1)
g + geom_point(aes(x= date, y = df1234[, 4],
colour= brewer.pal(12,"Set3")[2]), size=1)
# ... code not shown...
g
}
示例数据:
spy <- read.csv(file= 'http://ichart.finance.yahoo.com/table.csv?s=SPY&d=11&e=1&f=2012&g=d&a=0&b=29&c=1993&ignore=.csv', header= T)
plot.prices(spy) # produces error
g <- ggplot(spy, aes(x= as.Date(Date, format= "%Y-%m-%d"), y= spy[, 3],
colour= brewer.pal(12,"Set3")[1])) + geom_point(size=1)
g + geom_point(aes(x= as.Date(Date), y = spy[, 4],
colour= brewer.pal(12,"Set3")[2]), size=1)
## does not produce error
如您所见,代码完全相同。如果对ggplot()的调用是INSIDE函数,但是如果对ggplot()的调用是OUTSIDE函数,则会出现错误。
答案 0 :(得分:10)
发生错误是因为你在gglpot2中使用df [,7],使用列名Adj.Close将解决问题。
g <- ggplot(df, aes(x= as.Date(Date, format= "%Y-%m-%d"),
y= Adj.Close)) + geom_point(size=1)
实际上是错误,这是一个范围错误。 aes 无法找到df环境。它试图在全球范围内寻找它。
如果你想使用索引调用,你可以使用 aes_string ,并操纵字符串而不是表达式
plot.prices <- function(df) {
require(ggplot2)
df$Date <- as.Date(df$Date, format= "%Y-%m-%d")
g <- ggplot(df, aes_string(x= 'Date',
y= colnames(df)[7])) + geom_point(size=1)
# ... code not shown...
g
}
答案 1 :(得分:1)
我不确定这是否是你想要的,但它可能会有所帮助。我修改了agstudy的代码:
spy <- read.csv(file= 'http://ichart.finance.yahoo.com/table.csv?s=SPY&d=11&e=1&f=2012&g=d&a=0&b=29&c=1993&ignore=.csv', header= T)
library(ggplot2)
library(RColorBrewer)
plot.prices <- function(df) {
df$Date <- as.Date(df$Date, format= "%Y-%m-%d")
g <- ggplot(df, aes_string(x='Date', y= colnames(df)[3])) +
geom_point(colour= brewer.pal(12,"Set3")[1], size=1)
gg <- g + geom_point(aes_string(x='Date', y= colnames(df)[4]),
colour= brewer.pal(12,"Set3")[2], size=1)
gg
}
plot.prices(spy)
以下是不使用brewer.pal
的代码:
library(ggplot2)
spy <- read.csv(file= 'http://ichart.finance.yahoo.com/table.csv?s=SPY&d=11&e=1&f=2012&g=d&a=0&b=29&c=1993&ignore=.csv', header= T)
plot.prices <- function(df) {
df$Date <- as.Date(df$Date, format= "%Y-%m-%d")
g <- ggplot(df, aes_string(x='Date', y= colnames(df)[3])) +
geom_point(colour= 'green', fill='green', size=1)
gg <- g + geom_point(aes_string(x='Date', y= colnames(df)[4]),
colour= 'black', fill='black', size=1)
gg
}
plot.prices(spy)