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
|
#!/usr/bin/env python3
# vim:tabstop=4 softtabstop=4 shiftwidth=4 textwidth=160 smarttab expandtab colorcolumn=160
import argparse
import psycopg2
import aiohttp
from aiohttp import web
from datetime import datetime, timedelta
import dateutil.parser
from geopy.distance import distance
import json
import os
import pytz
headers = {
"Access-Control-Allow-Origin": "*",
"Content-Type": "application/json; charset=utf-8",
}
conn = psycopg2.connect(
dbname=os.getenv("GEOLOOKUP_DBNAME", "geo_to_stations"),
user=os.getenv("GEOLOOKUP_DBUSER", "geo_to_stations"),
password=os.getenv("GEOLOOKUP_DBPASS"),
host=os.getenv("GEOLOOKUP_DBHOST", "localhost"),
)
conn.autocommit = True
conn.set_session(readonly=True)
def set_coarse_location(train):
now = datetime.now(pytz.utc)
train_evas = None
stopovers = train["previousStopovers"]
for i, stopover in enumerate(stopovers):
if stopover["departure"]:
stopover["departure"] = dateutil.parser.parse(stopover["departure"])
# start with origin. (planned)arrival is always null in a previousStopovers list
departure = stopover["departure"]
if i > 0 and departure and departure > now:
train_evas = (
int(stopovers[i - 1]["stop"]["id"]),
int(stopover["stop"]["id"]),
)
train_stops = (stopovers[i - 1]["stop"]["name"], stopover["stop"]["name"])
train_coords = (
(
stopovers[i - 1]["stop"]["location"]["latitude"],
stopovers[i - 1]["stop"]["location"]["longitude"],
),
(
stopover["stop"]["location"]["latitude"],
stopover["stop"]["location"]["longitude"],
),
)
train_times = (stopovers[i - 1]["departure"], departure)
break
if not train_evas:
train_evas = (int(train["stop"]["id"]), int(stopovers[-1]["stop"]["id"]))
train_stops = (train["stop"]["name"], stopovers[-1]["stop"]["name"])
train_coords = (
(
stopovers[-1]["stop"]["location"]["latitude"],
stopovers[-1]["stop"]["location"]["longitude"],
),
(
train["stop"]["location"]["latitude"],
train["stop"]["location"]["longitude"],
),
)
train_times = (stopovers[-1]["departure"], dateutil.parser.parse(train["when"]))
if not train_times[0]:
return
train["evas"] = train_evas
train["stop_names"] = train_stops
train["coords"] = train_coords
train["times"] = train_times
train["progress_ratio"] = 1 - (
(train["times"][1].timestamp() - now.timestamp())
/ (train["times"][1].timestamp() - train["times"][0].timestamp())
)
train["progress_ratio"] = max(0, min(1, train["progress_ratio"]))
if train["progress_ratio"] == 0:
train["location"] = train["coarse_location"] = train["coords"][0]
elif train["progress_ratio"] == 1:
train["location"] = train["coarse_location"] = train["coords"][1]
else:
ratio = train["progress_ratio"]
coords = train["coords"]
train["coarse_location"] = (
coords[1][0] * ratio + coords[0][0] * (1 - ratio),
coords[1][1] * ratio + coords[0][1] * (1 - ratio),
)
def calculate_distance(train, latlon):
train["distance"] = distance(train["coarse_location"], latlon).km
def format_train(train):
train_type, line_no = train["line"]["name"].split()
train_no = train["line"]["fahrtNr"]
return {
"line": f"{train_type} {line_no}",
"train": f"{train_type} {train_no}",
"tripId": train["tripId"],
"location": train["coarse_location"],
"distance": round(train["distance"], 1),
"stops": [
(
train["evas"][0],
train["stop_names"][0],
train["times"][0].strftime("%H:%M"),
),
(
train["evas"][1],
train["stop_names"][1],
train["times"][1].strftime("%H:%M"),
),
],
}
async def handle_search(request):
try:
lat = float(request.query.get("lat"))
lon = float(request.query.get("lon"))
except TypeError:
return web.HTTPBadRequest(text="lat/lon are mandatory")
except ValueError:
return web.HTTPBadRequest(text="lat/lon must be floating-point numbers")
lut_lat = round(lat * 1000)
lut_lon = round(lon * 1000)
evas = set()
with conn.cursor() as cur:
cur.execute(
"select stations from stations where lat between %s and %s and lon between %s and %s",
(lut_lat - 3, lut_lat + 3, lut_lon - 3, lut_lon + 3),
)
for eva_list in cur.fetchall():
evas.update(eva_list[0])
if not evas:
response = {"evas": list(), "trains": list()}
return web.Response(body=json.dumps(response), headers=headers)
arrivals = list()
trains = list()
# deliberately not parallelized to minimize load on transport.rest
for eva in evas:
async with aiohttp.ClientSession() as session:
async with session.get(
f"https://v5.db.transport.rest/stops/{eva}/arrivals?results=40&duration=120&stopovers=true&bus=false&subway=false&tram=false"
) as response:
content = await response.text()
content = json.loads(content)
arrivals.append(content)
for train_list in arrivals:
for train in train_list:
is_candidate = False
for stop in train["previousStopovers"]:
if (
int(stop["stop"]["id"]) in evas
and stop["stop"]["id"] != train["stop"]["id"]
):
is_candidate = True
break
if is_candidate:
trains.append(train)
seen = set()
trains = [
seen.add(train["line"]["fahrtNr"]) or train
for train in trains
if train["line"]["fahrtNr"] not in seen
]
for train in trains:
set_coarse_location(train)
trains = list(filter(lambda train: "coarse_location" in train, trains))
for train in trains:
calculate_distance(train, (lat, lon))
trains = sorted(trains, key=lambda train: train["distance"])
trains = list(map(format_train, trains[:10]))
response = {"evas": list(evas), "trains": trains}
return web.Response(body=json.dumps(response, ensure_ascii=False), headers=headers)
if __name__ == "__main__":
parser = argparse.ArgumentParser(
description="geolocation to train estimation service"
)
parser.add_argument("--port", type=int, metavar="PORT", default=8080)
parser.add_argument("--prefix", type=str, metavar="PATH", default="/")
args = parser.parse_args()
app = web.Application()
app.add_routes([web.get(f"{args.prefix}search", handle_search)])
web.run_app(app, host="localhost", port=args.port)
|