-
Notifications
You must be signed in to change notification settings - Fork 48
/
MHP.py
282 lines (222 loc) · 10 KB
/
MHP.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
##########################
# Implementation of MAP EM algorithm for Hawkes process
# described in:
# https://stmorse.github.io/docs/orc-thesis.pdf
# https://stmorse.github.io/docs/6-867-final-writeup.pdf
# For usage see README
# For license see LICENSE
# Author: Steven Morse
# Email: [email protected]
# License: MIT License (see LICENSE in top folder)
##########################
import numpy as np
import time as T
from sklearn.metrics.pairwise import pairwise_distances
from sklearn.utils.extmath import cartesian
import matplotlib.pyplot as plt
class MHP:
def __init__(self, alpha=[[0.5]], mu=[0.1], omega=1.0):
'''params should be of form:
alpha: numpy.array((u,u)), mu: numpy.array((,u)), omega: float'''
self.data = []
self.alpha, self.mu, self.omega = np.array(alpha), np.array(mu), omega
self.dim = self.mu.shape[0]
self.check_stability()
def check_stability(self):
''' check stability of process (max alpha eigenvalue < 1)'''
w,v = np.linalg.eig(self.alpha)
me = np.amax(np.abs(w))
print('Max eigenvalue: %1.5f' % me)
if me >= 1.:
print('(WARNING) Unstable.')
def generate_seq(self, horizon):
'''Generate a sequence based on mu, alpha, omega values.
Uses Ogata's thinning method, with some speedups, noted below'''
self.data = [] # clear history
Istar = np.sum(self.mu)
s = np.random.exponential(scale=1./Istar)
# attribute (weighted random sample, since sum(mu)==Istar)
n0 = np.random.choice(np.arange(self.dim),
1,
p=(self.mu / Istar))
self.data.append([s, n0])
# value of \lambda(t_k) where k is most recent event
# starts with just the base rate
lastrates = self.mu.copy()
decIstar = False
while True:
tj, uj = self.data[-1][0], int(self.data[-1][1])
if decIstar:
# if last event was rejected, decrease Istar
Istar = np.sum(rates)
decIstar = False
else:
# otherwise, we just had an event, so recalc Istar (inclusive of last event)
Istar = np.sum(lastrates) + \
self.omega * np.sum(self.alpha[:,uj])
# generate new event
s += np.random.exponential(scale=1./Istar)
# calc rates at time s (use trick to take advantage of rates at last event)
rates = self.mu + np.exp(-self.omega * (s - tj)) * \
(self.alpha[:,uj].flatten() * self.omega + lastrates - self.mu)
# attribution/rejection test
# handle attribution and thinning in one step as weighted random sample
diff = Istar - np.sum(rates)
try:
n0 = np.random.choice(np.arange(self.dim+1), 1,
p=(np.append(rates, diff) / Istar))
except ValueError:
# by construction this should not happen
print('Probabilities do not sum to one.')
self.data = np.array(self.data)
return self.data
if n0 < self.dim:
self.data.append([s, n0])
# update lastrates
lastrates = rates.copy()
else:
decIstar = True
# if past horizon, done
if s >= horizon:
self.data = np.array(self.data)
self.data = self.data[self.data[:,0] < horizon]
return self.data
#-----------
# EM LEARNING
#-----------
def EM(self, Ahat, mhat, omega, seq=[], smx=None, tmx=None, regularize=False,
Tm=-1, maxiter=100, epsilon=0.01, verbose=True):
'''implements MAP EM. Optional to regularize with `smx` and `tmx` matrix (shape=(dim,dim)).
In general, the `tmx` matrix is a pseudocount of parent events from column j,
and the `smx` matrix is a pseudocount of child events from column j -> i,
however, for more details/usage see https://stmorse.github.io/docs/orc-thesis.pdf'''
# if no sequence passed, uses class instance data
if len(seq) == 0:
seq = self.data
N = len(seq)
dim = mhat.shape[0]
Tm = float(seq[-1,0]) if Tm < 0 else float(Tm)
sequ = seq[:,1].astype(int)
p_ii = np.random.uniform(0.01, 0.99, size=N)
p_ij = np.random.uniform(0.01, 0.99, size=(N, N))
# PRECOMPUTATIONS
# diffs[i,j] = t_i - t_j for j < i (o.w. zero)
diffs = pairwise_distances(np.array([seq[:,0]]).T, metric = 'euclidean')
diffs[np.triu_indices(N)] = 0
# kern[i,j] = omega*np.exp(-omega*diffs[i,j])
kern = omega*np.exp(-omega*diffs)
colidx = np.tile(sequ.reshape((1,N)), (N,1))
rowidx = np.tile(sequ.reshape((N,1)), (1,N))
# approx of Gt sum in a_{uu'} denom
seqcnts = np.array([len(np.where(sequ==i)[0]) for i in range(dim)])
seqcnts = np.tile(seqcnts, (dim,1))
# returns sum of all pmat vals where u_i=a, u_j=b
# *IF* pmat upper tri set to zero, this is
# \sum_{u_i=u}\sum_{u_j=u', j<i} p_{ij}
def sum_pij(a,b):
c = cartesian([np.where(seq[:,1]==int(a))[0], np.where(seq[:,1]==int(b))[0]])
return np.sum(p_ij[c[:,0], c[:,1]])
vp = np.vectorize(sum_pij)
# \int_0^t g(t') dt' with g(t)=we^{-wt}
# def G(t): return 1 - np.exp(-omega * t)
# vg = np.vectorize(G)
# Gdenom = np.array([np.sum(vg(diffs[-1,np.where(seq[:,1]==i)])) for i in range(dim)])
k = 0
old_LL = -10000
START = T.time()
while k < maxiter:
Auu = Ahat[rowidx, colidx]
ag = np.multiply(Auu, kern)
ag[np.triu_indices(N)] = 0
# compute m_{u_i}
mu = mhat[sequ]
# compute total rates of u_i at time i
rates = mu + np.sum(ag, axis=1)
# compute matrix of p_ii and p_ij (keep separate for later computations)
p_ij = np.divide(ag, np.tile(np.array([rates]).T, (1,N)))
p_ii = np.divide(mu, rates)
# compute mhat: mhat_u = (\sum_{u_i=u} p_ii) / T
mhat = np.array([np.sum(p_ii[np.where(seq[:,1]==i)]) \
for i in range(dim)]) / Tm
# ahat_{u,u'} = (\sum_{u_i=u}\sum_{u_j=u', j<i} p_ij) / \sum_{u_j=u'} G(T-t_j)
# approximate with G(T-T_j) = 1
if regularize:
Ahat = np.divide(np.fromfunction(lambda i,j: vp(i,j), (dim,dim)) + (smx-1),
seqcnts + tmx)
else:
Ahat = np.divide(np.fromfunction(lambda i,j: vp(i,j), (dim,dim)),
seqcnts)
if k % 10 == 0:
try:
term1 = np.sum(np.log(rates))
except:
print('Log error!')
term2 = Tm * np.sum(mhat)
term3 = np.sum(np.sum(Ahat[u,int(seq[j,1])] for j in range(N)) for u in range(dim))
#new_LL = (1./N) * (term1 - term2 - term3)
new_LL = (1./N) * (term1 - term3)
if abs(new_LL - old_LL) <= epsilon:
if verbose:
print('Reached stopping criterion. (Old: %1.3f New: %1.3f)' % (old_LL, new_LL))
return Ahat, mhat
if verbose:
print('After ITER %d (old: %1.3f new: %1.3f)' % (k, old_LL, new_LL))
print(' terms %1.4f, %1.4f, %1.4f' % (term1, term2, term3))
old_LL = new_LL
k += 1
if verbose:
print('Reached max iter (%d).' % maxiter)
self.Ahat = Ahat
self.mhat = mhat
return Ahat, mhat
#-----------
# VISUALIZATION METHODS
#-----------
def get_rate(self, ct, d):
# return rate at time ct in dimension d
seq = np.array(self.data)
if not np.all(ct > seq[:,0]): seq = seq[seq[:,0] < ct]
return self.mu[d] + \
np.sum([self.alpha[d,int(j)]*self.omega*np.exp(-self.omega*(ct-t)) for t,j in seq])
def plot_rates(self, horizon=-1):
if horizon < 0:
horizon = np.amax(self.data[:,0])
f, axarr = plt.subplots(self.dim*2,1, sharex='col',
gridspec_kw = {'height_ratios':sum([[3,1] for i in range(self.dim)],[])},
figsize=(8,self.dim*2))
xs = np.linspace(0, horizon, (horizon/100.)*1000)
for i in range(self.dim):
row = i * 2
# plot rate
r = [self.get_rate(ct, i) for ct in xs]
axarr[row].plot(xs, r, 'k-')
axarr[row].set_ylim([-0.01, np.amax(r)+(np.amax(r)/2.)])
axarr[row].set_ylabel('$\lambda(t)_{%d}$' % i, fontsize=14)
r = []
# plot events
subseq = self.data[self.data[:,1]==i][:,0]
axarr[row+1].plot(subseq, np.zeros(len(subseq)) - 0.5, 'bo', alpha=0.2)
axarr[row+1].yaxis.set_visible(False)
axarr[row+1].set_xlim([0, horizon])
plt.tight_layout()
def plot_events(self, horizon=-1, showDays=True, labeled=True):
if horizon < 0:
horizon = np.amax(self.data[:,0])
fig = plt.figure(figsize=(10,2))
ax = plt.gca()
for i in range(self.dim):
subseq = self.data[self.data[:,1]==i][:,0]
plt.plot(subseq, np.zeros(len(subseq)) - i, 'bo', alpha=0.2)
if showDays:
for j in range(1,int(horizon)):
plt.plot([j,j], [-self.dim, 1], 'k:', alpha=0.15)
if labeled:
ax.set_yticklabels('')
ax.set_yticks(-np.arange(0, self.dim), minor=True)
ax.set_yticklabels([r'$e_{%d}$' % i for i in range(self.dim)], minor=True)
else:
ax.yaxis.set_visible(False)
ax.set_xlim([0,horizon])
ax.set_ylim([-self.dim, 1])
ax.set_xlabel('Days')
plt.tight_layout()