-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathmain.py
executable file
·198 lines (155 loc) · 5.98 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
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
#!/usr/bin/env python3
import httpd
import fetch
import gtfs_data.database
import gtfs_data.loader
import transit
import argparse
import collections
import configparser
import datetime
import faulthandler
import functools
import json
import logging
import os
import sys
import time
import urllib.request
from typing import List, NamedTuple
import prometheus_client # type: ignore[import]
# Metrics
API_ENV = prometheus_client.Info(
'gtfs_api_environment',
'NTA environment that gtfs-upcoming is bound')
class Configuration(NamedTuple):
api_key_primary: str
api_key_secondary: str
interesting_stops: List[str]
def _read_config(filename: str) -> Configuration:
logging.info('Reading "%s"', filename)
config = configparser.ConfigParser()
try:
config.read(filename)
except configparser.Error as e:
logging.critical('Could not read "%s": %s', filename, e)
raise
try:
# The NTA section was the original name. We keep it for compatibility.
if config.has_section('NTA'):
keys = config['NTA']
else:
keys = config['ApiKeys']
pri = keys['PrimaryApiKey']
sec = keys['SecondaryApiKey']
stops : List[str] = []
stop_ids = config.get('Upcoming', 'InterestingStopIds', fallback=None)
if stop_ids:
stops = stop_ids.split(',')
return Configuration(
api_key_primary=pri,
api_key_secondary=sec,
interesting_stops=stops)
except KeyError as e:
logging.critical('Required key missing in "%s": %s', filename, e)
raise
class TransitHandler:
def __init__(self, transit: transit.Transit, stops: List[str]):
self._transit = transit
self._stops = stops
def HandleUpcoming(self, req: httpd.RequestHandler) -> None:
stops = req.params.get('stop', self._stops)
data = self._transit.GetUpcoming(stops)
req.SendHeaders(200, 'application/json')
req.Send(json.dumps({
'current_timestamp': int(datetime.datetime.now().timestamp()),
'upcoming': [d.Dict() for d in data]
}))
def HandleScheduled(self, req: httpd.RequestHandler) -> None:
stops = req.params.get('stop', self._stops)
data = self._transit.GetScheduled(stops)
req.SendHeaders(200, 'application/json')
req.Send(json.dumps({
'current_timestamp': int(datetime.datetime.now().timestamp()),
'scheduled': [d.Dict() for d in data]
}))
def HandleLive(self, req: httpd.RequestHandler) -> None:
stops = req.params.get('stop', self._stops)
data = self._transit.GetLive(stops)
req.SendHeaders(200, 'application/json')
req.Send(json.dumps({
'current_timestamp': int(datetime.datetime.now().timestamp()),
'live': [d.Dict() for d in data]
}))
def HandleDebug(self, req: httpd.RequestHandler) -> None:
start = datetime.datetime.now()
pb = self._transit.LoadFromAPI()
stop = datetime.datetime.now()
req.SendHeaders(200, 'text/html')
html = req.GenerateHTMLHead('Debug')
html += f"<h1>Debug</h1><p>Interesting stops: {self._stops}</p>"
html += f"<pre>Received {pb.ByteSize()/1024:.6} kB in {(stop-start).total_seconds():.6} seconds</pre>"
html += f"<pre>{pb!s}</pre>"
html += req.GenerateHTMLFoot()
req.Send(html)
def main(argv: List[str]) -> None:
"""Initialises the program."""
parser = argparse.ArgumentParser(prog=argv[0])
parser.add_argument('--config', help='Configuration file (INI file)', default='config.ini')
parser.add_argument('--env', help='Use Prod or Test endpoints', default='test')
parser.add_argument('--port', help='Port to run webserver on', default=6824)
parser.add_argument('--promport', help='Port to run Prometheus webserver on', default=None)
parser.add_argument('--gtfs', help='GTFS definitions', default='google_transit_combined')
parser.add_argument('--loader_max_threads', help='Max load threads', default=os.cpu_count())
parser.add_argument('--loader_max_rows_per_chunk', help='Number of rows per threaded chunk', default=100000)
parser.add_argument('--provider', help='One of nta (Ireland) or vicroads (Victoria Australia)', default='nta')
args = parser.parse_args()
logging.basicConfig(
format='%(asctime)s %(levelname)8s %(message)s',
datefmt='%Y/%m/%d %H:%M:%S',
level=logging.DEBUG)
logging.info('Starting up')
# We run Prometheus in a separate internal server. This is in case the main
# serving webserver locks/crashes, we will retain metrics insight.
if args.promport:
prometheus_client.start_http_server(int(args.promport))
API_ENV.info({
'provider': args.provider,
'env': args.env
})
config = _read_config(args.config)
if not config:
exit(-1)
gtfs_data.loader.MaxThreads = int(args.loader_max_threads)
gtfs_data.loader.MaxRowsPerChunk = int(args.loader_max_rows_per_chunk)
logging.info('Configured loader with %d threads, %d rows per chunk',
gtfs_data.loader.MaxThreads, gtfs_data.loader.MaxRowsPerChunk)
logging.info('Loading GTFS data sources from "%s"', args.gtfs)
if config.interesting_stops:
logging.info('Restricting data sources to %d interesting stops',
len(config.interesting_stops))
else:
logging.info('Loading data for all stops.')
try:
database = gtfs_data.database.Database(
args.gtfs, config.interesting_stops)
database.Load()
logging.info('Load complete.')
except FileNotFoundError as fnfex:
logging.error(fnfex)
logging.fatal("Incomplete or missing GTFS database in %s. Run update-database.sh", args.gtfs)
exit(-2)
fetcher = fetch.MakeFetcher(args.provider, args.env, config.api_key_primary)
t = transit.Transit(fetcher.Fetch, database)
port = int(args.port)
logging.info("Starting HTTP server on port %d", port)
http = httpd.HTTPServer(port)
handler = TransitHandler(t, config.interesting_stops)
http.Register('/upcoming.json', handler.HandleUpcoming)
http.Register('/scheduled.json', handler.HandleScheduled)
http.Register('/live.json', handler.HandleLive)
http.Register('/debugz', handler.HandleDebug)
http.serve_forever()
if __name__ == '__main__':
faulthandler.enable()
main(sys.argv)