-
Notifications
You must be signed in to change notification settings - Fork 0
/
predict-death.py
458 lines (255 loc) · 10 KB
/
predict-death.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
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
#!/usr/bin/env python#!/usr/bin/python
# coding: utf-8
# In[91]:
import pandas as pd
pd.set_option('display.max_rows', 500)
import time
import datetime
import matplotlib.pyplot as plt
plt.style.use('bmh')
# # WirVsVirus Hackathon
#
# Die entscheidende Frage bei der Beurteilung aller Maßnahmen ist, ob das exponentielle Wachstum verlangsamt worden ist, d.h. die exponentielle Wachstumskurve abflacht.
# Dazu macht man am besten anhand bestehender Daten ein Modell-Fit und schaut, ob aktuelle Fallzahlen das Modell überschreiten oder man mit den Fallzahlen darunter bleibt.
# ## Download Data from CSSE COVID-19 Dataset
#
# We are using the Covid-19 Dataset: https://github.com/CSSEGISandData/COVID-19
# In[92]:
url = 'https://raw.githubusercontent.com'
url += '/CSSEGISandData/COVID-19'
url += '/master/csse_covid_19_data/csse_covid_19_time_series'
url += '/time_series_19-covid-Deaths.csv'
print('Downloading Data from %s' % url)
# In[93]:
deaths_raw = pd.read_csv(url)
# In[94]:
deaths_raw.head()
# ### Preprocessing
# In[95]:
deaths = deaths_raw[deaths_raw['Country/Region']=='Germany'].T
deaths = deaths[4:].astype('int')
deaths.columns = ['deaths']
# In[96]:
deaths.index = pd.to_datetime(deaths.index)
deaths = deaths.asfreq('D')
# Filter der Daten: Wir nehmen für die Modellbildung erst den Tag als Beginn, an dem erstmals mehr als 100 Erkrankte gemeldet waren.
# In[97]:
deaths = deaths[deaths.deaths>=10]
# ## Modellvarianten
#
# Man kann immer ein aktuelles Modell rechnen, oder schauen wie sich die Zahlen verändern, basierend auf einem Modell von einem festen Datum aus.
# In[98]:
#today = deaths.index[-1] # immer aktuell rechnen
today = datetime.date(2020, 3, 21) # 21.03.2020 als Bezugsdatum nehme
# ## Feature
# In[99]:
deaths['days'] = (deaths.index - deaths.index.min()).days
# In[100]:
deaths.head()
# ## Ausgangssperren
#
# Am Wochenende 20.03./21.03.2020 haben einige Gemeinden und Städte Ausgangssperren verhängt (z.B. [Dresden](https://www.dresden.de/media/pdf/presseamt/Allgemeinverfuegung.pdf), Mitterteich, ganz Bayern usw). Daher werden wir uns das Datum mal merken.
# In[101]:
ausgangssperren_timestamp = datetime.date(2020, 3, 21)
# In[102]:
ausgangssperren_timestamp_epoch = time.mktime(ausgangssperren_timestamp.timetuple())*1000
# ## Prediction Model
#
# Ein exponentielles Wachstum (freie unkontrollierte Ausbreitung) verläuft nach:
#
# $y = A e^{Bx}$
#
# Wenn wir das logarithmieren mit dem Log zur Basis $e$, haben wir ein lineares Modell.
#
# $\log_e(y) = B x + \log_e (A)$
# In[103]:
from sklearn.linear_model import LinearRegression
from sklearn.metrics import r2_score
import numpy as np
# In[104]:
X = deaths[:today]['days'].values.reshape(-1, 1)
y = deaths[:today]['deaths'].values
logy = np.log(y)
# ### Train
# In[105]:
clf = LinearRegression()
clf.fit(X, logy)
# In[106]:
logy_pred = clf.predict(X)
# Die mit dem linearen Modell vorhergesagten Werte sind im logarithmischen, müssen mit der $e^y$ noch zurück konvertiert werden.
# In[107]:
deaths.loc[:today,'predicted_exp'] = np.exp(logy_pred).astype('int')
# In[108]:
deaths.tail()
# ### Modelparameter
# In[109]:
B = clf.coef_[0]
A = np.exp(clf.intercept_)
print('Modellparameter sind A=%.1f, B=%.3f' % (A, B))
# ### Logistisches Wachstum
#
# Anmerkung: Typischerweise ist nur der Beginn einer Epedemie mit exponentiellem Wachstum, denn irgendwann sind die Menschen immun oder verstorben und das Virus kann sich nicht weiter ausbreiten. Daher geht die Infektion in eine Sättigung. Die exponentielle Wachstumsfunktion geht in eine Logistische Funktion über:
#
# $P(t) = \cfrac{K}{1+\left(\frac{K-P_0}{P_0}\right)e^{-rt}}$
#
# mit:
# * $P$ = Population, hier Infizierte
# * $t$ = Tage
# * $r$ = Wachstumsrate
# * $K$ = Kapazität (Sättigung, da gehen wir von 70% der 81mio deutschen aus)
# * $P_0$ = initial Infizierte am Tag 0
#
# Hier können wir die gefundenen Modellparameter aus dem exponentiellen Wachstum nutzen.
# In[110]:
infektionsrate = 0.7
gesamtanzahl = 81000000
sterberate = 0.05 # 5% !?
K = infektionsrate * gesamtanzahl * sterberate
# In[111]:
def logistic_function(s, r=B, K=K, P0=A):
t=s.days
P = K / (1 + ((K-P0)/P0) * np.exp(-r*t))
return int(P)
# ### Model Evaluation
#
# R² score: the coefficient of determination
# In[112]:
r2_score(deaths['deaths'].values, deaths['predicted_exp'].values)
# ## Save the model for later use
# In[113]:
import pickle
pklfilename = '%s-Germany-Covid19-Deaths-Prediction-Model.pkl' % today.strftime('%Y-%m-%d')
with open(pklfilename, 'wb') as f:
pickle.dump(clf, f)
print('Saved the Model to %s' % pklfilename)
# ## Future
# In[114]:
fd = 30 # days into the future
# In[115]:
# Create DataFrame in the Future
dates = pd.date_range(deaths.index[-1], periods=fd, closed='right')
days_in_future = deaths.days[-1] + np.arange(1, fd)
future = pd.DataFrame(data=days_in_future, index=dates, columns=['days'])
# In[116]:
future = deaths.append(future, sort=True)
# ### Predict the Future
# In[117]:
X_future = future['days'].values.reshape(-1, 1)
# In[118]:
logy_pred = clf.predict(X_future)
future['predicted_exp'] = np.exp(logy_pred).astype('int')
# In[119]:
future['predicted_log'] = future.apply(logistic_function, axis=1)
# In[120]:
print(future)
# ## Future Plot
# In[121]:
title = 'Todesfälle und Vorhersage für Deutschland (Basierend auf CSSE COVID-19 Dataset)'
# In[122]:
ax = future['deaths'].plot(label='COVID-19 Todesfälle', marker='o')
ax = future['predicted_log'].plot(label='logistisches Wachstum\n(Modell vom %s)' % today.strftime('%d.%m.%Y'),
alpha=0.6, ax=ax)
ax.vlines(ausgangssperren_timestamp,
ymin=future.predicted_exp.min(),
ymax=future.predicted_exp.max(),
linestyle='--', alpha=0.2, label='Beginn Ausgangssperren')
ax.legend()
ax.set_ylabel('Anzahl (Logarithmisch)')
ax.set_yscale('log')
ax.set_title(title, fontsize=8)
ax.annotate('unter CC-BY 2.0 Lizenz Paul Balzer', xy=(.5, 0.02), xycoords='figure fraction', ha='center', fontsize=6, color='gray')
plt.tight_layout()
plt.savefig('./%s-Germany-Covid19-Deaths-Prediction.png' % today.strftime('%Y-%m-%d'), dpi=150)
print('Saved the Figure')
# ## Export as Excel
# In[123]:
xlsfile = './%s-Germany-Covid19-Deaths-Prediction.xlsx' % today.strftime('%Y-%m-%d')
future.to_excel(xlsfile)
print('Saved the Excel to %s' % xlsfile)
# # Interactive Website
#
# We are using Bokeh to export an interactive website
# In[124]:
from bokeh.plotting import figure
from bokeh.models.formatters import DatetimeTickFormatter, NumeralTickFormatter
from bokeh.models import Div, HoverTool, BoxAnnotation, Span
from bokeh.layouts import column
from bokeh.embed import file_html
from bokeh.resources import CDN
from bokeh.palettes import inferno
# In[125]:
colors = inferno(6) # What else for this scenario ;)
# In[136]:
p = figure(tools="hover,save,pan,box_zoom,reset,wheel_zoom",
x_axis_type="datetime",
title=title.replace(')', ' der John Hopkins University)'))
# Vertical line for Ausgangssperren
vline = Span(location=ausgangssperren_timestamp_epoch,
dimension='height', line_color='gray',
line_dash='dashed', line_width=3, name='Beginn Ausgangssperren')
p.add_layout(vline)
# Vorhersagemodell als Linie
p.line(future.index, future.predicted_log, line_width=4, line_color=colors[3],
legend='logistisches Wachstum\n(Modell vom %s)' % today.strftime('%d.%m.%Y'))
# Tatsächliche Fälle als Punkte
p.circle(deaths.index, deaths.deaths, line_color=colors[4],
fill_color=colors[5], size=14, legend='Bestätigte COVID-19 Todesfälle')
# Achsen ordentlich formatieren
p.xaxis.formatter=DatetimeTickFormatter(
years="%d.%m.%Y",
months="%d.%m.%Y",
days="%A %d.%m.%Y",
)
p.yaxis.formatter=NumeralTickFormatter(format='0.0a')
p.yaxis.axis_label = 'Anzahl'
# Daten-Zeitraum
gray_box = BoxAnnotation(left=deaths.index[0],
right=deaths.index[-1],
fill_color='gray', fill_alpha=0.1)
p.add_layout(gray_box)
# Tooltips
p.select_one(HoverTool).tooltips = [
('Datum', '@x{%d.%m.%Y}'),
('Fälle', '@y{0.0a}'),
]
p.select_one(HoverTool).formatters = {'x':'datetime'}
p.select_one(HoverTool).mode = 'vline'
p.toolbar.autohide = True
# Legende
p.legend.location = "top_left"
# Anmerkung
div = Div(text="""Quellcode: <a href="https://github.com/balzer82/covid-germany-predictor">Covid Germany Predictor</a>
unter CC-BY2.0 Lizenz von Paul Balzer on Github.
Disclaimer: Ich bin kein Epidemiologe oder Virologe, das ist keine offizielle Vorausberechnung!
Es wurde ein exponentielles Wachstumsmodell mittels Least Square auf die gemeldeten Fälle gefittet,
anschließend wurden diese Parameter auf eine logistische Funktion angewendet, welche mit %i%% Infektionsrate
unter %imio Deutschen in die Sättigung geht und dabei %i%% Sterblichkeit auftritt.
<a href="https://cbcity.de/impressum">Impressum</a>""" % (infektionsrate*100, gesamtanzahl/1e6, sterberate*100))
# Save
html = file_html(column(p, div, sizing_mode="stretch_both"), CDN, 'COVID-19 Prediction Germany')
# ## Style the Website
# In[137]:
head = '''
<body>
<div><img src="https://wirvsvirushackathon.org/wp-content/uploads/2020/03/12-scaled.jpg" style="height: 30px; padding: 10px;"></div>
'''
# In[138]:
gtc = '''
<!-- Global site tag (gtag.js) - Google Analytics -->
<script async src="https://www.googletagmanager.com/gtag/js?id=UA-7230698-7"></script>
<script>
window.dataLayer = window.dataLayer || [];
function gtag(){dataLayer.push(arguments);}
gtag('js', new Date());
gtag('config', 'UA-7230698-7');
</script>
</body>
'''
# In[139]:
websitehtml = html.replace('<body>', head)
websitehtml = websitehtml.replace('</body>', gtc)
# In[140]:
with open('./html/index2.html', 'w') as htmlfile:
htmlfile.write(websitehtml.strip())
print('Saved the /html/index2.html')
# CC-BY 2.0 Paul Balzer