Oltre alla proprietà Markov (MP), un'ulteriore proprietà è l' omogeneità temporale (TH): può essere Markov ma con la sua matrice di transizione
P ( t ) a seconda del tempo t . Ad esempio, esso può dipendere dal giorno della settimana in t se osservazioni sono giornalmente, e quindi una dipendenza
X t on X t - 7 condizionato X t - 1 può essere diagnosticato se TH è indebitamente assunto.XtP(t)ttXtXt−7Xt−1
Supponendo che TH sia valido, un possibile controllo per MP sta verificando che sia indipendente da X t - 2 in base a X t - 1 , come suggerivano Michael Chernick e StasK. Questo può essere fatto utilizzando un test per la tabella di contingenza. Possiamo costruire le n tabelle di contingenza di X t e X t - 2 in
base a { X t - 1 = x j } per gli n valori possibili x jXtXt−2Xt−1nXtXt−2{Xt−1=xj}nxje testare l'indipendenza. Questo può essere fatto anche usando
con ℓ > 1 al posto di X t - 2 .Xt−ℓℓ>1Xt−2
In R, tabelle di contingenza o array sono prodotti agevolmente grazie al fattore facilità e le funzioni apply
,
sweep
. L'idea sopra può anche essere sfruttata graficamente. I pacchetti ggplot2 o reticolo forniscono facilmente grafici condizionali per confrontare le distribuzioni condizionali . Ad esempio, impostando i come indice di riga e jp(Xt|Xt−1=xj,Xt−2=xi)ij poiché l'indice di colonna nel traliccio dovrebbe condurre a MP in distribuzioni simili all'interno di una colonna.
Il cap. 5 del libro L'analisi statistica dei processi stocastici nel tempo di JK Lindsey contiene altre idee per verificare i presupposti.
[## simulates a MC with transition matrix in 'trans', starting from 'ini'
simMC <- function(trans, ini = 1, N) {
X <- rep(NA, N)
Pcum <- t(apply(trans, 1, cumsum))
X[1] <- ini
for (t in 2:N) {
U <- runif(1)
X[t] <- findInterval(U, Pcum[X[t-1], ]) + 1
}
X
}
set.seed(1234)
## transition matrix
P <- matrix(c(0.1, 0.1, 0.1, 0.7,
0.1, 0.1, 0.6, 0.2,
0.1, 0.3, 0.2, 0.4,
0.2, 0.2, 0.3, 0.3),
nrow = 4, ncol = 4, byrow = TRUE)
N <- 2000
X <- simMC(trans = P, ini = 1, N = N)
## it is better to work with factors
X <- as.factor(X)
levels(X) <- LETTERS[1:4]
## table transitions and normalize each row
Phat <- table(X[1:(N-1)], X[2:N])
Phat <- sweep(x = Phat, MARGIN = 1, STATS = apply(Phat, 1, sum), FUN = "/")
## explicit dimnames
dimnames(Phat) <- lapply(list("X(t-1)=" ,"X(t)="),
paste, sep = "", levels(as.factor(X)))
## transition 3-fold contingency array
P3 <- table(X[1:(N-2)], X[2:(N-1)], X[3:N])
dimnames(P3) <- lapply(list("X(t-2)=", "X(t-1)=" ,"X(t)="),
paste, sep = "", levels(as.factor(X)))
## apply ONE indendence test
fisher.test(P3[ , 1, ], simulate.p.value = TRUE)
## plot conditional distr.
library(lattice)
X3 <- data.frame(X = X[3:N], lag1X = X[2:(N-1)], lag2X = X[1:(N-2)])
histogram( ~ X | lag1X + lag2X, data = X3, col = "SteelBlue3")
]