我有一个数据框,其中包含IPC的历史价格(^ MXX),我试图制作一个滞后的矩阵作为列:
for(i in 1:length(IPC$Close)-1){
for(l in 1:length(IPC$Close)-1){
Lags[l,i] <- log(IPC$Close[l+i]-log(IPC$Close[l]))
}
}
这有效但是......花了很多时间。 我该如何介绍apply函数?
答案 0 :(得分:0)
我不太了解你的公式。但是如果你试图计算滞后回报的矩阵,这可能是一种更好的方法,使用embed
:
# the data
N=10
set.seed(123)
IPC=data.frame(Close=runif(N,10,20))
IPC$ret=c(NA,diff(log(IPC$Close)))
#IPC
# the matrix of lagged returns
Nlags=2
embed(diff(log(IPC$Close)), Nlags+1)
[,1] [,2] [,3]
[1,] 0.29001164 -0.23840447 0.32850576
[2,] 0.03005332 0.29001164 -0.23840447
[3,] -0.61837953 0.03005332 0.29001164
[4,] 0.37947945 -0.61837953 0.03005332
[5,] 0.21382720 0.37947945 -0.61837953
[6,] -0.19867561 0.21382720 0.37947945
[7,] -0.06306525 -0.19867561 0.21382720
答案 1 :(得分:0)
假设你想用r中的sapply / lapply来计算所有可能的滞后
IPC=data.frame(Close=seq(100,120))
# both nested double sapply and outer worked identically in this case
t1 <-sapply(1:length(IPC$Close), function(x) sapply(1:length(IPC$Close),function(y) log(IPC$Close[y])-log(IPC$Close[x])))
t2 <-outer(log(IPC$Close), log(IPC$Close), FUN = "-")
# test case on simplier case
a=seq(1,5)
# both of the function below wll compute all the lags
# sapply, since lapply will output listed which require more processing
sapply(a, function(x) sapply(a, function(y) x-y))
outer(a, a, "-")
# [,1] [,2] [,3] [,4] [,5]
# [1,] 0 1 2 3 4
# [2,] -1 0 1 2 3
# [3,] -2 -1 0 1 2
# [4,] -3 -2 -1 0 1
# [5,] -4 -3 -2 -1 0
但如果您真的在处理股票价格,那么您应该仔细研究时间序列(zoo,xts)及其各自的函数,例如lag()。虽然我发现有时难以使用。
答案 2 :(得分:0)
通常使用时间序列类(如xts)表示财务时间序列。在这种情况下,我们可以使用lag
的xts方法,如下所示:
library(quantmod) # also loads xts, zoo and TTR
getSymbols("GOOG") # get GOOG OHLCV data
## [1] "GOOG"
class(GOOG)
## [1] "xts" "zoo"
# take last few rows of GOOG and then display the
# original series closes (lag 0) with 3 lags
lag(tail(Cl(GOOG)), 0:3)
## GOOG.Close GOOG.Close.1 GOOG.Close.2 GOOG.Close.3
## 2017-09-26 924.86 NA NA NA
## 2017-09-27 944.49 924.86 NA NA
## 2017-09-28 949.50 944.49 924.86 NA
## 2017-09-29 959.11 949.50 944.49 924.86
## 2017-10-02 953.27 959.11 949.50 944.49
## 2017-10-03 957.79 953.27 959.11 949.50