This repository was archived by the owner on Aug 30, 2021. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmain.py
153 lines (132 loc) · 4.57 KB
/
main.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
#!/usr/bin/env python3
import datetime
import re
from collections import defaultdict
from typing import Any, Dict, Set
import requests
from dateutil.parser import parse
from flask import Request, Response
from prometheus_client import ( # type: ignore
CollectorRegistry,
Gauge,
Histogram,
generate_latest,
)
no_reasons = [
"No: incorrect contact information",
"No: location permanently closed",
"No: may be a vaccination site in the future",
"No: no vaccine inventory",
"No: not open to the public",
"No: only vaccinating health care workers",
"No: only vaccinating staff",
"No: will never be a vaccination site",
]
# We consider a no with these reasons (more or less) final.
terminal_no_reasons = set(
[
"No: location permanently closed",
"No: will never be a vaccination site",
]
)
class LocationsReport:
registry: CollectorRegistry
total_locations: Gauge
total_reports: Gauge
total_yesses: Gauge
total_nos: Gauge
ago_hours: Histogram
seen_ages: Set[str]
now: datetime.datetime
def __init__(self) -> None:
self.registry = CollectorRegistry()
self.total_locations = Gauge(
"locations_total_total", "Total number of locations", registry=self.registry
)
self.total_reports = Gauge(
"locations_reports_total", "Total number of reports", registry=self.registry
)
self.total_yeses = Gauge(
"locations_yeses_total",
"Total number of 'Yes' reports",
labelnames=["walkin", "min_age"],
registry=self.registry,
)
self.total_nos = Gauge(
"locations_nos_total",
"Total number of 'No' reports",
labelnames=["why"],
registry=self.registry,
)
self.ago_hours = Histogram(
"locations_report_stale_hours",
"How long ago the report came",
buckets=range(0, 24 * 7 * 3, 6),
labelnames=["yes"],
registry=self.registry,
)
self.seen_ages = set()
def serve(self) -> Response:
if self.seen_ages:
return Response(
"Tried to serve more than once!",
status=500,
)
self.now = datetime.datetime.now(datetime.timezone.utc)
response = requests.get("https://api.vaccinateca.com/v1/locations.json")
response.raise_for_status()
data = response.json()
self.total_locations.set(len(data["content"]))
yeses: Dict[bool, Dict[str, int]] = {
True: defaultdict(int),
False: defaultdict(int),
}
nos: Dict[str, int] = defaultdict(int)
for loc in data["content"]:
self.observe_location(loc, yeses, nos)
for walkin in (True, False):
for age in ["None"] + sorted(self.seen_ages):
self.total_yeses.labels(walkin, age).set(yeses[walkin][age])
for reason in ["No: other"] + no_reasons:
self.total_nos.labels(reason[4:].capitalize()).set(nos[reason])
return Response(generate_latest(registry=self.registry), mimetype="text/plain")
def observe_location(
self,
loc: Dict[str, Any],
yeses: Dict[bool, Dict[str, int]],
nos: Dict[str, int],
) -> None:
if not bool(loc["Has Report"]):
return
self.total_reports.inc()
info = loc.get("Availability Info", [])
is_yes = bool(loc["Latest report yes?"])
terminal_no = False
if is_yes:
walkin = "Yes: walk-ins accepted" in info
age = "None"
for tag in sorted(info):
maybe_age_tag = re.match(r"Yes: vaccinating (\d+)\+", tag)
if maybe_age_tag:
age = maybe_age_tag.group(1)
self.seen_ages.add(age)
yeses[walkin][age] += 1
else:
for reason in no_reasons:
if reason in info:
nos[reason] += 1
if reason in terminal_no_reasons:
terminal_no = True
break
# We only care about freshness for non-terminal nos.
if not terminal_no:
latest = parse(loc["Latest report"])
self.ago_hours.labels(is_yes).observe(
(self.now - latest).total_seconds() / 60 / 60
)
def serve(request: Request) -> Response:
return LocationsReport().serve()
def main() -> None:
print(LocationsReport().serve().get_data().decode("utf-8"))
if __name__ == "__main__":
main()