让trans_m
成为一阶马尔可夫链的n
个n
转换矩阵。在我的问题中,n
很大,比如10,000,矩阵trans_m
是一个由Matrix
包构造的稀疏矩阵。否则,trans_m
的大小将是巨大的。我的目标是在给定初始状态s1
和此转换矩阵trans_m
的向量的情况下模拟马尔可夫链的序列。请考虑以下具体示例。
n <- 5000 # there are 5,000 states in this case.
trans_m <- Matrix(0, nr = n, nc = n, sparse = TRUE)
K <- 5 # the maximal number of states that could be reached.
for(i in 1:n){
states_reachable <- sample(1:n, size = K) # randomly pick K states that can be reached with equal probability.
trans_m[i, states_reachable] <- 1/K
}
s1 <- sample(1:n, size = 1000, replace = TRUE) # generate 1000 inital states
draw_next <- function(s) {
.s <- sample(1:n, size = 1, prob = trans_m[s, ]) # given the current state s, draw the next state .s
.s
}
sapply(s1, draw_next)
如上所述给出初始状态s1
的向量,我使用sapply(s1, draw_next)
绘制下一个状态。 n
越大,sapply
变慢。有没有更好的办法?
答案 0 :(得分:1)
按行重复索引可能会很慢,因此更快地处理转换矩阵的转置并使用列索引,并从内部函数中分解出索引:
R> trans_m_t <- t(trans_m)
R>
R> require(microbenchmark)
R> microbenchmark(
+ apply(trans_m_t[,s1], 2,sample, x=n, size=1, replace=F)
+ ,
+ sapply(s1, draw_next)
+ )
Unit: milliseconds
expr min
apply(trans_m_t[, s1], 2, sample, x = n, size = 1, replace = F) 111.828814
sapply(s1, draw_next) 499.255402
lq mean median uq max neval
193.1139810 190.4379185 194.6563380 196.4273105 270.418189 100
503.7398805 512.0849013 506.9467125 516.6082480 586.762573 100
由于您已经在使用稀疏矩阵,因此您可以使用 通过直接在三胞胎上工作,获得更好的表现。使用更高级别的矩阵运算符可以触发重新压缩。