-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathapp.py
1442 lines (1302 loc) · 52.1 KB
/
app.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
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
import os
import json
import numpy as np
import pandas as pd
import plotly.express as px
import plotly.express as px
import plotly.graph_objects as go
from plotly.subplots import make_subplots
from dash import Dash, html, dcc
from dash.dependencies import Input, Output
import dash_bootstrap_components as dbc
######################################################################
# Downoload data
# load life expectancy table country, age, sex specific with estimated
# life expectancy exstension calculated by manageable risk factors mortality excluded
le_calculated_risk_excluded_all_countries_df = pd.read_csv(
os.path.join(
'data',
'risk_excluded_le.csv'
)
)
risk_impact = le_calculated_risk_excluded_all_countries_df[['location_id', 'age', 'sex_id', 'rei_id', 'E_x_diff']]
life_expectancy = le_calculated_risk_excluded_all_countries_df[['location_id', 'age', 'sex_id', 'E_x_val']]
# load risk manageable ierarchy
risks_parents_names_manageable = pd.read_csv(
os.path.join('data', 'risks_parents_names_manageable.csv')
)
#load risk factors names manageable
risks_names_manageable = pd.read_csv(
os.path.join('data', 'risks_names_manageable.csv')
)
# load risk_ierarchy and names to id mapping
rei_ierarchy = pd.read_csv(
os.path.join('data','rei_ierarchy.csv')
)
rei_ierarchy_3_level_manageable = pd.read_csv(
os.path.join(
'data',
'rei_ierarchy_3_level_manageable.csv'
)
)
# load mapping countries ids names and centroid coordinates
gbd_country_name_id_iso_centroid = pd.read_csv(
os.path.join('data', 'gbd_country_name_id_iso_centroid.csv'),
)
# load code book with mappings names and ids entities from gbd research
code_book = pd.read_csv(
os.path.join('data','code_book.csv')
).iloc[1:, 1:]
# load risk names to color map
rei_color_map = {
k:v for k,v in pd.read_csv(
os.path.join('data', 'rei_color_map.csv')
).values
}
# set mapping risk manageable parent to list of their childrens
risks_parents_names_manageable = {
x: [
y for y in
risks_parents_names_manageable
.copy()
.query('rei_parent_name == @x')
.rei_name.unique()
]
for x in
risks_parents_names_manageable
.rei_parent_name
.unique()
}
# transform risk factors names to list
risks_names_manageable = list(np.concatenate(risks_names_manageable.values))
# set mapping risk factors ids to their parents
risk_id_to_parent_id = {
int(k):int(v)
for k,v in rei_ierarchy[['rei_id','parent_id']].values
}
# set mapping sex names to id
sex_name_to_id = {
key: int(value)
for key, value in code_book[['sex_label', 'sex_id']].dropna().values[1:]
}
sex_id_to_name = {k: v for v, k in sex_name_to_id.items()}
# set mapping risk factors names to id
risks_name_to_id = {
key: int(value)
for key, value in code_book[['rei_name', 'rei_id']].dropna().values
}
risks_id_to_name = {k: v for v, k in risks_name_to_id.items()}
# set mapping country name to gbd id
location_name_to_id = {
key: int(value)
for key, value in
gbd_country_name_id_iso_centroid[['location_name', 'location_id']].values
}
location_id_to_name = {k: v for v, k in location_name_to_id.items()}
# set mapping countries id to iso countries codes
gbd_id_to_iso_code_map = {
int(k): v for k,v in
gbd_country_name_id_iso_centroid[['location_id', 'iso_code']].values
}
# set mapping country id to longitude and latitude of their centroids
gbd_country_id_to_centroid_map = {
int(x[0]): [x[1], x[2]]
for x in
gbd_country_name_id_iso_centroid
[['location_id', 'latitude', 'longitude']]
.values
}
# set additional colors
color_mapping = {
'Default life expectancy': {
'Male': 'rgba(89, 52, 235, 0.6)',
'Female': 'rgba(235, 52, 155, 0.6)'
},
'Estimated life extension': {
'Male': 'rgba(10, 38, 247, 0.9)',
'Female': 'rgba(255, 15, 150, 0.9)'
}
}
def prepare_data(
location_name: str,
age: int,
sex_name: int,
risk_factors_names: list,
risks_parents_names_manageable: dict,
risk_impact: pd.DataFrame,
life_expectancy: pd.DataFrame,
risk_id_to_parent_id: dict,
location_name_to_id: dict,
sex_name_to_id: dict,
risks_name_to_id: dict,
gbd_id_to_iso_code_map: dict,
is_dietary_risks_groupped: bool=True,
round_n_decimals: int=2,
) -> pd.DataFrame:
################################################
# get risk names from parents
risk_factors_names_source = risks_names_manageable.copy()
risk_factors_names = np.concatenate([
risks_parents_names_manageable[x]
if x in risks_parents_names_manageable.keys()
else [x]
for x in risk_factors_names
])
# get ids from names
location_id = location_name_to_id[location_name]
risk_factors_id = [risks_name_to_id[x] for x in risk_factors_names]
sex_id = sex_name_to_id[sex_name]
################################################
# filtering data by setted criteries
risk_impact_filtered = risk_impact.query(
f'location_id == {location_id}'
' and rei_id in @risk_factors_id'
)
life_expectancy_filtered = life_expectancy.query(
f'location_id == {location_id}'
f' and age == {age}'
)[['sex_id', 'E_x_val']]
risk_impact_filtered = (
risk_impact_filtered
.assign(rei_parent_id = lambda x: x.rei_id.map(risk_id_to_parent_id))
)
risk_impact_filtered['rei_name'] = (
risk_impact_filtered.copy()['rei_id']
.map({k:v for v,k in risks_name_to_id.items()})
)
risk_impact_filtered['rei_parent_name'] = (
risk_impact_filtered.copy()['rei_parent_id']
.map({k:v for v,k in risks_name_to_id.items()})
)
risk_impact_filtered_cur_age = (
risk_impact_filtered
.query(f'age == {age}')
.round(decimals=round_n_decimals)
)
if is_dietary_risks_groupped == True:
groupped_dietary_risks = (
risk_impact_filtered
.query('rei_parent_name == "Dietary risks"')
.groupby(by=['sex_id', 'age', 'rei_parent_name'])
[['E_x_diff']]
.sum()
.reset_index()
)
groupped_dietary_risks.columns = ['sex_id', 'age', 'rei_name', 'E_x_diff']
risk_impact_filtered.columns
risk_impact_filtered_dietary_groupped = pd.concat(
[
risk_impact_filtered
.query('rei_parent_name != "Dietary risks"')
[['sex_id', 'age', 'rei_name', 'E_x_diff']],
groupped_dietary_risks
], axis=0,
).sort_values(by=['sex_id', 'age', 'E_x_diff'], ascending=False)
risk_impact_filtered_dietary_groupped_cur_age = (
risk_impact_filtered_dietary_groupped
.query(f'age == {age}')
)
else:
risk_impact_filtered_dietary_groupped = risk_impact_filtered.copy()
risk_impact_filtered_dietary_groupped_cur_age = risk_impact_filtered_cur_age.copy()
risk_impact_filtered_dietary_groupped = (
risk_impact_filtered_dietary_groupped
.query('sex_id == @sex_id')
)
################################################
# create report with summary extension by sex
report_male = pd.DataFrame(
{
'Default life expectancy': (
life_expectancy_filtered
.query(f'sex_id == {sex_name_to_id["Male"]}')
[['E_x_val']]
.values[0]
+
age
),
'Estimated life extension': (
risk_impact_filtered_dietary_groupped_cur_age
.query(f'sex_id == {sex_name_to_id["Male"]}')
[['E_x_diff']]
.sum()
.values[0]
),
},
index=['val']
)
report_male['Extended life expectancy'] = (
report_male['Default life expectancy']
+
report_male['Estimated life extension']
)
report_female = pd.DataFrame(
{
'Default life expectancy': (
life_expectancy_filtered
.query(f'sex_id == {sex_name_to_id["Female"]}')
[['E_x_val']]
.values[0]
+
age
),
'Estimated life extension': (
risk_impact_filtered_dietary_groupped_cur_age
.query(f'sex_id == {sex_name_to_id["Female"]}')
[['E_x_diff']]
.sum()
.values[0]
),
},
index=['val']
)
report_female['Extended life expectancy'] = (
report_female['Default life expectancy']
+
report_female['Estimated life extension']
)
report_male['sex_name'] = 'Male'
report_female['sex_name'] = 'Female'
report = pd.concat([report_male, report_female])
report.reset_index(inplace=True)
report.set_index(['sex_name', 'index'], inplace=True)
report = report.round(decimals=round_n_decimals).reset_index()
################################################
# create data frames with estimated extension by countries
risk_impact_by_countries = risk_impact.copy().query(
'rei_id in @risk_factors_id'
' and age == @age'
' and sex_id == @sex_id'
)
risk_impact_by_countries['iso_code'] = (
risk_impact_by_countries['location_id']
.map(gbd_id_to_iso_code_map, na_action='ignore')
)
# sum by risk
risk_impact_by_countries = (
risk_impact_by_countries
.groupby(by=['iso_code', 'location_id'])
[['E_x_diff']].sum()
.reset_index()
)
risk_impact_by_countries['location_name'] = (
risk_impact_by_countries['location_id']
.map({v:k for k,v in location_name_to_id.items()})
)
risk_impact_by_countries.columns = ['iso_code', 'location_id', 'Years', 'location_name']
# sumarry impact for all selected risk factors
risk_manageable_impact_summary = (
risk_impact
.query('rei_id in @risk_factors_id')
.groupby(by=['location_id', 'age', 'sex_id'])
[['E_x_diff']]
.sum()
.reset_index()
)
risk_impact_sum_for_all_countries = (
risk_manageable_impact_summary
.groupby(by=['age', 'sex_id'])
[['E_x_diff']]
.mean()
.join(
risk_manageable_impact_summary
.groupby(by=['age', 'sex_id'])
[['E_x_diff']]
.quantile(q=0.05),
rsuffix='_q05',
how='left'
)
.join(
risk_manageable_impact_summary
.groupby(by=['age', 'sex_id'])
[['E_x_diff']]
.quantile(q=0.95),
rsuffix='_q95',
how='left'
)
.reset_index()
.sort_values(by='age')
)
risk_impact_sum_for_all_countries['sex_name'] = (
risk_impact_sum_for_all_countries['sex_id'].map({v: k for k, v in sex_name_to_id.items()})
)
################################################
# calculate total extension for title
total_extension = round(
risk_impact_filtered_cur_age
.query(f'sex_id == @sex_id')
.E_x_diff
.sum(),
ndigits=round_n_decimals
)
################################################
# create suptitles for plots
life_expectancy_extension_male = round(
report_male.loc["val", "Estimated life extension"],
round_n_decimals
)
life_expectancy_extension_female = round(
report_female.loc["val", "Estimated life extension"],
round_n_decimals
)
life_expectancy_extension = {
'Male': life_expectancy_extension_male,
'Female': life_expectancy_extension_female
}
life_expectancy_extension_by_country_suptitle = (
f' ###### Еxtension of life expectancy'
f' by {len(gbd_id_to_iso_code_map.keys())} countries,'
f' with excluding {len(risk_factors_names_source)} manageable risk factors'
f' for {sex_name} aged {age} y.o.'
)
life_expectancy_extension_by_risk_suptitle = (
f' ###### Еxtension of life expectancy,'
f' by excluded {len(risk_factors_names_source)} manageable risk factors,'
f' for {sex_name},'
f' aged {age} y.o.,'
f' in {location_name}'
)
life_expectancy_extension_by_sex_suptitle = (
f' ###### Extension of life expectancy by sex'
f' for age {age} y.o.,'
f' in {location_name}'
)
life_expectancy_extension_by_age_suptitle = (
f' ###### Extension of estimated life expectancy by age,'
f' for {sex_name} in {location_name}'
)
return (
total_extension,
risk_impact_by_countries,
risk_impact_sum_for_all_countries,
risk_impact_filtered_cur_age,
report,
risk_impact_filtered_dietary_groupped,
life_expectancy_extension_by_risk_suptitle,
life_expectancy_extension_by_sex_suptitle,
life_expectancy_extension_by_country_suptitle,
life_expectancy_extension_by_age_suptitle,
)
######################################################################
# Define plotters function
def life_expectancy_extension_by_country_plotter(
risk_impact_by_countries: pd.DataFrame,
gbd_country_id_to_centroid_map,
location_name_to_id,
location_name,
total_extension,
) -> go.Figure:
fig = px.choropleth(
risk_impact_by_countries,
locations="iso_code",
color="Years",
hover_name="location_name",
title = "",
color_continuous_scale=px.colors.sequential.dense
)
fig.update_layout(
geo=dict(
showframe=False,
showcoastlines=False,
projection_type='natural earth',
),
height=400,
margin = dict(t=0, l=0, r=0, b=0),
coloraxis=dict(
colorbar=dict(
orientation='v',
thickness=12,
tickfont=dict(size=12),
len=0.8,
yanchor='middle',
)
),
)
fig["layout"].pop("updatemenus")
fig.add_trace(
go.Scattergeo(
lat=[gbd_country_id_to_centroid_map[
location_name_to_id[location_name]
][0]],
lon=[gbd_country_id_to_centroid_map[
location_name_to_id[location_name]
][1]],
mode='markers+text',
marker=dict(
size=7,
color='white'
),
text=[f'<b>{total_extension}<br>years</b>'],
textfont=dict(
color='black',
size=15.02,
),
textposition='top center',
hoverinfo='skip',
showlegend=False,
)
)
fig.add_trace(
go.Scattergeo(
lat=[gbd_country_id_to_centroid_map[
location_name_to_id[location_name]
][0]],
lon=[
gbd_country_id_to_centroid_map
[
location_name_to_id
[
location_name
]
]
[1]
],
mode='markers+text',
marker=dict(
size=6,
color='rgb(250, 46, 35)'
),
text=[f'<b>{total_extension}<br>years</b>'],
textfont=dict(
color='rgb(250, 46, 35)',
size=15,
),
textposition='top center',
hoverinfo='skip',
showlegend=False,
)
)
return fig
def life_expectancy_extension_by_risk_plotter(
risk_impact_filtered_dietary_groupped: pd.DataFrame,
rei_color_map: dict,
age: int,
) -> go.Figure:
data_to_plot = (
risk_impact_filtered_dietary_groupped
.query('age == @age')
[
[
'E_x_diff',
'rei_name',
]
]
.sort_values(by='E_x_diff', ascending=False)
.round(2)
)
# Sample data for the pie chart
total_sum = round(data_to_plot['E_x_diff'].sum(), 1)
outer_labels = data_to_plot['rei_name']
outer_values = data_to_plot['E_x_diff']
outer_colors = [rei_color_map[x] for x in data_to_plot['rei_name']]
# Create the pie chart trace
outer_pie = go.Pie(
labels=outer_labels,
values=outer_values,
textinfo='value',
textfont=dict(size=15),
hole=0.65, # Set the size of the hole inside the pie chart (0.6 means 60% of the radius)
marker=dict(colors=outer_colors), # Set colors for each sector
sort=False
)
# Calculate the center position for the text annotation
center_x = 0.5
center_y = 0.55
fig = go.Figure(data=[outer_pie])
# Set layout properties for the figure
fig.update_layout(
annotations=[
dict(
x=center_x,
y=center_y,
showarrow=False,
text=f'<b>+{total_sum}</b>', # Text to display in the center
font=dict(size=35, color='black',),
),
dict(
x=center_x,
y=center_y - 0.1,
showarrow=False,
text=f'<b>years</b>', # Text to display in the center
font=dict(size=20, color='black',),
)
],
)
fig.update_layout(
template='plotly_white',
height=300,
margin = dict(t=0, l=0, r=0, b=0),
legend=dict(
title="Excluded risk factors",
),
)
# Show the figure
return fig
def life_expectancy_extension_by_sex_plotter(
report: pd.DataFrame,
age: int,
color_mapping: dict,
width: float=0.4
) -> go.Figure:
x_data = {
sex_name: {
'Default life expectancy': report.loc[sex_name, 'Default life expectancy'],
'Estimated life extension': report.loc[sex_name, 'Estimated life extension']
} for sex_name in ['Male', 'Female']
}
maximum_le = max(
[
report.loc[sex_name, 'Extended life expectancy']
for sex_name in ['Male', 'Female']
]
)
#report = round(report.copy(), 1)
fig = go.Figure()
for sex_name in ['Female', 'Male']:
percent_extension = round(
100 * (
report.loc[sex_name, 'Estimated life extension']
/
report.loc[sex_name, 'Default life expectancy']
),
1
)
percent_default = 100 - percent_extension
fig.add_trace(
go.Bar(
y=[x_data[sex_name]['Default life expectancy']],
x=[sex_name],
orientation='v',
marker=dict(
color=color_mapping['Default life expectancy'][sex_name],
line=dict(width=1)
),
text=(
f"{report.loc[sex_name, 'Default life expectancy']}"
f"<br>({percent_default} %)"
),
textfont=dict(color='white', size=13),
insidetextanchor='end',
hovertemplate='Default life expectancy<br> is: %{y} years',
name=f'{sex_name} default life expectancy',
width=width,
legendgroup=sex_name,
showlegend=True
)
)
fig.add_trace(
go.Bar(
y=[x_data[sex_name]['Estimated life extension']],
x=[sex_name],
orientation='v',
marker=dict(
color=color_mapping['Estimated life extension'][sex_name],
line=dict(width=1)
),
text=(
f"{report.loc[sex_name, 'Estimated life extension']}"
f"<br>({percent_extension} %)"
),
textfont=dict(color='white', size=13),
textposition = "inside",
insidetextanchor='middle',
hovertemplate='Extension of life expectancy<br> is: %{y} years',
name=f'{sex_name} extension',
width=width,
legendgroup=sex_name,
showlegend=True
)
)
fig.update_layout(
template='plotly_white',
height=400,
yaxis=dict(
range=(age, int(maximum_le * 1.05)),
tickvals=list(range(age, int(maximum_le // 1 + 1), 5)),
zeroline=False,
showgrid=False,
showline=False,
domain=[0.15, 1],
title='Life expectancy (Years)'
),
xaxis=dict(
showgrid=False,
showline=False,
showticklabels=False,
zeroline=False,
),
legend=dict(
y=0.1,
orientation="h"
),
barmode='stack',
bargap=0.001,
showlegend=True,
margin=dict(l=0, r=0, t=0, b=0),
)
return fig
def life_expectancy_extension_by_age_plotter(
risk_impact_filtered_dietary_groupped: pd.DataFrame,
rei_color_map: dict,
age: int,
):
age_arr = np.sort(risk_impact_filtered_dietary_groupped.age.unique())
rei_sorted_by_val_sum = (
risk_impact_filtered_dietary_groupped
.groupby(by='rei_name')['E_x_diff']
.sum()
.sort_values(ascending=False)
.index
)
fig = go.Figure()
y = np.array([0 for _ in risk_impact_filtered_dietary_groupped.age.unique()], dtype='float64')
for rei_name in rei_sorted_by_val_sum:
cur_y = np.array(
risk_impact_filtered_dietary_groupped
.query(
'rei_name == @rei_name'
)
.sort_values(by='age')
['E_x_diff'].values,
dtype='float64'
)
y += cur_y
fig.add_trace(
go.Scatter(
customdata=cur_y,
x=age_arr,
y=y,
line=dict(
width=0.1,
color=rei_color_map[rei_name]
),
fill='tonexty',
hovertemplate =(
f'{rei_name},<br> '
'age: %{x:}, <br>extension: %{customdata:.2f}<extra></extra>'
),
hoverinfo=None,
name=rei_name
)
)
if age is not None:
cur_age_y = (
risk_impact_filtered_dietary_groupped
.query(
'age == @age'
)
.set_index('rei_name').loc[rei_sorted_by_val_sum, :]
['E_x_diff']
.cumsum()
)
fig.add_trace(
go.Scatter(
x=[age] * (len(cur_age_y.values) + 1),
y=[0] + list(cur_age_y.values),
mode='lines+markers',
marker=dict(
color=[rei_color_map[rei_name] for rei_name in cur_age_y.index],
size=5,
),
line=dict(
width=0.3,
color='red'
),
hoverinfo='skip',
showlegend=False,
)
)
fig.update_layout(
template='plotly_white',
xaxis=dict(
showgrid=False,
showline=False,
zeroline=False,
title='Age(years)',
tickvals=list(
range(
risk_impact_filtered_dietary_groupped.age.min(),
risk_impact_filtered_dietary_groupped.age.max(),
5
)
)
),
yaxis=dict(
range=(0, risk_impact_filtered_dietary_groupped.groupby(by='age')['E_x_diff'].sum().max() * 1.05),
showgrid=False,
showline=False,
zeroline=False,
title='Life expectancy extension (years)',
),
legend=dict(
orientation="h",
y=-0.1,
),
margin=dict(l=0, r=0, t=0, b=0)
)
return fig
######################################################################
# create the plotly dash application
app = Dash(__name__, external_stylesheets=[dbc.themes.LITERA])
app.title = 'Life expectancy extension with risk factors excluding'
app._favicon = (os.path.join("assets", "favicon.ico"))
# setup layout
app.layout = dbc.Container(
[
dbc.Navbar(
[
dbc.Col(
[
html.H1(
children=(
'Estimate extension of life expectancy'
' by excluding manageable risk factors'
),
style={
"text-align": "center",
"align-items": "center",
"margin-top":"5px",
"padding": "5px",
"font-size": "20px"
}
)
],
xs=12, sm=12, md=3, lg=3, xl=3,
),
dbc.Col(
[
dbc.Label("Country", style={"margin-bottom": "0px", "font-size": "12px", "color": "gray"}),
dcc.Dropdown(
id="location_name",
options=list(location_name_to_id.keys()),
value='United States of America',
searchable=True,
),
],
xs=6, sm=6, md=2, lg=2, xl=2,
style={
"align-items": "center",
"padding": "5px",
"font-weight": "700"
}
),
dbc.Col(
[
dbc.Label("Sex", style={"margin-bottom": "0px", "font-size": "12px", "color": "gray"}),
dcc.Dropdown(
id="sex_name",
options=['Male', 'Female'],
value='Male',
),
],
xs=3, sm=3, md=1, lg=1, xl=1,
style={
"padding": "5px",
"font-weight": "700"
}
),
dbc.Col(
[
dbc.Label("Age y.o.", style={"margin-bottom": "0px", "font-size": "12px", "color": "gray"}),
dcc.Dropdown(
id="age",
options=list(range(0, 110, 1)),
value=42,
),
],
xs=3, sm=3, md=1, lg=1, xl=1,
style={
"padding": "5px",
"font-weight": "700"
}
),
dbc.Col(
[
html.Details([
html.Summary(
'Check risk factors for exclude',
style={"margin-bottom": "0px", "margin-left": "10px",}
),
# dbc.Label(
# "Check risk factors for exclude",
# style={"margin-left": "20px"},
# ),
dcc.Checklist(
id="risks_names_manageable",
options=risks_names_manageable,
inline=True,
value=risks_names_manageable,
inputStyle={"margin-left": "5px"},
),
])
],
xs=12, sm=12, md=5, lg=5, xl=5,
style={
"padding": "5px",
"font-weight": "700",
}
)
],
color='#d3e7e8',
fixed='top',
),
dbc.Row(
[
dbc.Col(
[
html.Br(),
html.Br(),
html.Br(),
html.Br(),
],
xs=12, sm=12, md=4, lg=4, xl=4,
),
dbc.Col(
[
html.Br(),
html.Br(),
html.Br(),
html.Br(),
],
xs=12, sm=12, md=4, lg=4, xl=4,
),
dbc.Col(
[
html.Br(),
],
xs=12, sm=12, md=4, lg=4, xl=4,
)
]
),
dbc.Row(
[
html.Details(
[
html.Summary(children='About data source and results'),
html.P(
children=(
[
'This dashboard visualize results of estimation change in '
' life expectancy years in case exclusion from population deaths mortality attributed'
' to the different manageable risk factors.'
' Results contains sex-age related estimations for 26 risk factors in 204 countries.'
' Sorce data for calculation was taken'
' from ', dcc.Link(
'2019 Global Burden of Disease (GBD) study.',
href='https://vizhub.healthdata.org/gbd-results/',