bitbot-3.11-fork/modules/tfl.py

305 lines
13 KiB
Python
Raw Normal View History

2016-09-26 10:02:45 +00:00
import collections, datetime, re
2016-06-27 23:09:33 +00:00
import Utils
URL_BUS = "https://api.tfl.gov.uk/StopPoint/%s/Arrivals"
URL_BUS_SEARCH = "https://api.tfl.gov.uk/StopPoint/Search/%s"
URL_LINE_ARRIVALS = "https://api.tfl.gov.uk/Line/%s/Arrivals"
2016-07-10 09:19:29 +00:00
URL_LINE = "https://api.tfl.gov.uk/Line/Mode/tube/Status"
2018-08-31 09:50:37 +00:00
LINE_NAMES = ["bakerloo", "central", "circle", "district",
"hammersmith and city", "jubilee", "metropolitan", "piccadilly",
"victoria", "waterloo and city"]
2016-07-10 09:19:29 +00:00
URL_STOP = "https://api.tfl.gov.uk/StopPoint/%s"
URL_STOP_SEARCH = "https://api.tfl.gov.uk/StopPoint/Search/%s"
2016-09-26 10:02:45 +00:00
URL_VEHICLE = "https://api.tfl.gov.uk/Vehicle/%s/Arrivals"
URL_ROUTE = "https://api.tfl.gov.uk/Line/%s/Route/Sequence/all?excludeCrowding=True"
2018-08-31 09:50:37 +00:00
PLATFORM_TYPES = ["Northbound", "Southbound", "Eastbound", "Westbound",
"Inner Rail", "Outer Rail"]
2016-10-03 14:10:08 +00:00
2016-06-27 23:09:33 +00:00
class Module(object):
2016-07-05 11:16:40 +00:00
_name = "TFL"
2018-08-31 09:50:37 +00:00
2016-06-27 23:09:33 +00:00
def __init__(self, bot):
self.bot = bot
self.result_map = {}
2016-06-27 23:09:33 +00:00
bot.events.on("received").on("command").on("tflbus"
2018-08-31 09:50:37 +00:00
).hook(self.bus, min_args=1,
help="Get bus due times for a TfL bus stop",
usage="<stop_id>")
2016-07-10 09:19:29 +00:00
bot.events.on("received").on("command").on("tflline"
2018-08-31 09:50:37 +00:00
).hook(self.line,
help="Get line status for TfL underground lines",
usage="<line_name>")
2016-07-10 22:44:37 +00:00
bot.events.on("received").on("command").on("tflsearch"
2018-08-31 09:50:37 +00:00
).hook(self.search,
min_args=1,
help="Get a list of TfL stop IDs for a given name",
usage="<name>")
2016-09-26 10:02:45 +00:00
bot.events.on("received").on("command").on("tflvehicle"
2018-08-31 09:50:37 +00:00
).hook(self.vehicle,
min_args=1,
help="Get information for a given vehicle",
usage="<ID>")
2016-11-01 21:18:43 +00:00
bot.events.on("received").on("command").on("tflstop"
2018-08-31 09:50:37 +00:00
).hook(self.stop, min_args=1,
help="Get information for a given stop",
usage="<stop_id>")
bot.events.on("received").on("command").on("tflservice"
2018-08-31 09:50:37 +00:00
).hook(self.service,
min_args=1,
help="Get service information and arrival estimates",
usage="<service index>")
2016-06-27 23:09:33 +00:00
2016-10-03 14:10:08 +00:00
def vehicle_span(self, arrival_time, human=True):
vehicle_due_iso8601 = arrival_time
if "." in vehicle_due_iso8601:
2018-08-31 09:50:37 +00:00
vehicle_due_iso8601 = vehicle_due_iso8601.split(".")[0] + "Z"
2016-10-03 14:10:08 +00:00
vehicle_due = datetime.datetime.strptime(vehicle_due_iso8601,
2018-08-31 09:50:37 +00:00
"%Y-%m-%dT%H:%M:%SZ")
time_until = vehicle_due - datetime.datetime.utcnow()
time_until = int(time_until.total_seconds() / 60)
2016-10-03 14:10:08 +00:00
2018-08-31 09:50:37 +00:00
if time_until == 0:
human_time = "due"
else:
human_time = "in %s min" % time_until
2016-10-03 14:10:08 +00:00
2018-08-31 09:50:37 +00:00
if human:
return human_time
else:
return time_until
2016-10-03 14:10:08 +00:00
def platform(self, platform, short=False):
p = re.compile("(?:(.*) - Platform (\\d+)|(.*bound) Platform (\\d+))")
m = p.match(platform)
if m:
platform = "platform %s (%s)" % (m.group(2), m.group(1))
if short and m.group(1) in PLATFORM_TYPES:
platform = m.group(2)
return platform
2016-06-27 23:09:33 +00:00
def bus(self, event):
app_id = self.bot.config["tfl-api-id"]
app_key = self.bot.config["tfl-api-key"]
stop_id = event["args_split"][0]
target_bus_route = None
if len(event["args_split"]) > 1:
target_bus_route = event["args_split"][1].lower()
bus_stop = None
real_stop_id = ""
stop_name = ""
2016-06-27 23:09:33 +00:00
if stop_id.isdigit():
bus_search = Utils.get_url(URL_BUS_SEARCH % stop_id, get_params={
"app_id": app_id, "app_key": app_key}, json=True)
bus_stop = bus_search["matches"][0]
real_stop_id = bus_stop["id"]
stop_name = bus_stop["name"]
else:
bus_stop = Utils.get_url(URL_STOP % stop_id, get_params={
"app_id": app_id, "app_key": app_key}, json=True)
if bus_stop:
real_stop_id = stop_id
stop_name = bus_stop["commonName"]
if real_stop_id:
bus_stop = Utils.get_url(URL_BUS % real_stop_id, get_params={
"app_id": app_id, "app_key": app_key}, json=True)
busses = []
for bus in bus_stop:
bus_number = bus["lineName"]
2016-10-03 14:10:08 +00:00
human_time = self.vehicle_span(bus["expectedArrival"])
2018-08-31 09:50:37 +00:00
time_until = self.vehicle_span(bus["expectedArrival"],
human=False)
2016-09-26 10:02:45 +00:00
# If the mode is "tube", "Underground Station" is redundant
destination = bus.get("destinationName", "?")
2018-08-31 09:50:37 +00:00
if (bus[
"modeName"] == "tube"): destination = destination.replace(
" Underground Station", "")
busses.append({"route": bus_number, "time": time_until,
"id": bus["vehicleId"],
"destination": destination,
"human_time": human_time,
"mode": bus["modeName"],
"platform": bus["platformName"],
"platform_short": self.platform(
bus["platformName"], short=True)})
if busses:
2016-09-26 10:02:45 +00:00
busses = sorted(busses, key=lambda b: b["time"])
busses_filtered = []
2016-10-03 14:10:08 +00:00
bus_route_dest = []
bus_route_plat = []
2016-09-26 10:02:45 +00:00
# dedup if target route isn't "*", filter if target route isn't None or "*"
for b in busses:
if target_bus_route != "*":
2018-08-31 09:50:37 +00:00
if (b["route"],
b["destination"]) in bus_route_dest: continue
if bus_route_plat.count(
(b["route"], b["platform"])) >= 2: continue
2016-10-03 14:10:08 +00:00
bus_route_plat.append((b["route"], b["platform"]))
bus_route_dest.append((b["route"], b["destination"]))
2018-08-31 09:50:37 +00:00
if b[
"route"] == target_bus_route or not target_bus_route:
2016-09-26 10:02:45 +00:00
busses_filtered.append(b)
else:
2016-09-26 10:02:45 +00:00
busses_filtered.append(b)
self.result_map[event["target"].id] = busses_filtered
2016-09-26 10:02:45 +00:00
# do the magic formatty things!
2018-08-31 09:50:37 +00:00
busses_string = ", ".join(["%s (%s, %s)" % (
b["destination"], b["route"], b["human_time"],
) for b in busses_filtered])
2016-10-03 14:10:08 +00:00
event["stdout"].write("%s (%s): %s" % (stop_name, stop_id,
2018-08-31 09:50:37 +00:00
busses_string))
2016-06-27 23:09:33 +00:00
else:
event["stderr"].write("%s: No busses due" % stop_id)
2016-06-27 23:09:33 +00:00
else:
2018-08-31 09:50:37 +00:00
event["stderr"].write("Bus ID '%s' unknown" % stop_id)
2016-07-10 09:19:29 +00:00
def line(self, event):
app_id = self.bot.config["tfl-api-id"]
app_key = self.bot.config["tfl-api-key"]
lines = Utils.get_url(URL_LINE, get_params={
2018-08-31 09:50:37 +00:00
"app_id": app_id, "app_key": app_key}, json=True)
2016-07-10 09:19:29 +00:00
statuses = []
for line in lines:
for status in line["lineStatuses"]:
entry = {
2018-08-31 09:50:37 +00:00
"id": line["id"],
"name": line["name"],
"severity": status["statusSeverity"],
"description": status["statusSeverityDescription"],
"reason": status.get("reason")
}
2016-07-10 09:19:29 +00:00
statuses.append(entry)
statuses = sorted(statuses, key=lambda line: line["severity"])
combined = collections.OrderedDict()
for status in statuses:
if not status["description"] in combined:
combined[status["description"]] = []
combined[status["description"]].append(status)
result = ""
for k, v in combined.items():
result += k + ": "
result += ", ".join(status["name"] for status in v)
result += "; "
if event["args"]:
result = ""
for status in statuses:
for arg in event["args_split"]:
if arg.lower() in status["name"].lower():
2018-08-31 09:50:37 +00:00
result += "%s: %s (%d) '%s'; " % (
status["name"], status["description"],
status["severity"], status["reason"])
2016-07-10 09:19:29 +00:00
if result:
event["stdout"].write(result[:-2])
else:
event["stderr"].write("No results")
2016-07-10 22:44:37 +00:00
def search(self, event):
app_id = self.bot.config["tfl-api-id"]
app_key = self.bot.config["tfl-api-key"]
2018-08-31 09:50:37 +00:00
# As awful as this is, it also makes it ~work~.
stop_name = event["args"].replace(" ", "%20")
stop_search = Utils.get_url(URL_STOP_SEARCH % stop_name, get_params={
2018-08-31 09:50:37 +00:00
"app_id": app_id, "app_key": app_key, "maxResults": "6",
"faresOnly": "False"}, json=True)
2016-07-13 06:05:46 +00:00
if stop_search:
for stop in stop_search["matches"]:
2016-10-03 14:10:08 +00:00
pass
2018-08-31 09:50:37 +00:00
results = ["%s (%s): %s" % (
stop["name"], ", ".join(stop["modes"]), stop["id"]) for stop in
stop_search["matches"]]
event["stdout"].write(
"[%s results] %s" % (stop_search["total"], "; ".join(results)))
2016-07-13 23:31:44 +00:00
else:
2016-07-13 23:35:11 +00:00
event["stderr"].write("No results")
2016-09-26 10:02:45 +00:00
def vehicle(self, event):
app_id = self.bot.config["tfl-api-id"]
app_key = self.bot.config["tfl-api-key"]
vehicle_id = event["args_split"][0]
vehicle = Utils.get_url(URL_VEHICLE % vehicle_id, get_params={
2018-08-31 09:50:37 +00:00
"app_id": app_id, "app_key": app_key}, json=True)[0]
arrival_time = self.vehicle_span(vehicle["expectedArrival"],
human=False)
2016-10-03 14:10:08 +00:00
platform = self.platform(vehicle["platformName"])
2016-09-26 10:02:45 +00:00
2018-08-31 09:50:37 +00:00
event["stdout"].write(
"%s (%s) to %s. %s. Arrival at %s (%s) in %s minutes on %s" % (
vehicle["vehicleId"], vehicle["lineName"],
vehicle["destinationName"], vehicle["currentLocation"],
vehicle["stationName"], vehicle["naptanId"], arrival_time,
platform))
2016-09-26 10:02:45 +00:00
def service(self, event):
app_id = self.bot.config["tfl-api-id"]
app_key = self.bot.config["tfl-api-key"]
service_id = event["args_split"][0]
if service_id.isdigit():
if not event["target"].id in self.result_map:
event["stdout"].write("No history")
return
results = self.result_map[event["target"].id]
if int(service_id) >= len(results):
2018-08-31 09:50:37 +00:00
event["stdout"].write(
"%s is too high. Remember that the first arrival is 0" % service_id)
return
service = results[int(service_id)]
2018-08-31 09:50:37 +00:00
arrivals = Utils.get_url(URL_LINE_ARRIVALS % service["route"],
get_params={
"app_id": app_id, "app_key": app_key},
json=True)
arrivals = [a for a in arrivals if a["vehicleId"] == service["id"]]
arrivals = sorted(arrivals, key=lambda b: b["timeToStation"])
event["stdout"].write(
2018-08-31 09:50:37 +00:00
"%s (%s) to %s: " % (
arrivals[0]["vehicleId"], arrivals[0]["lineName"],
arrivals[0]["destinationName"]) +
", ".join(["%s (%s, %s)" %
2018-08-31 09:50:37 +00:00
(a["stationName"],
self.platform(a.get("platformName", "?"), True),
a["expectedArrival"][11:16]
) for a in arrivals]))
2016-11-01 21:18:43 +00:00
def stop(self, event):
app_id = self.bot.config["tfl-api-id"]
app_key = self.bot.config["tfl-api-key"]
stop_id = event["args_split"][0]
stop = Utils.get_url(URL_STOP % stop_id, get_params={
"app_id": app_id, "app_key": app_key}, json=True)
def route(self, event):
app_id = self.bot.config["tfl-api-id"]
app_key = self.bot.config["tfl-api-key"]
route_id = event["args_split"][0]
route = Utils.get_url(URL_ROUTE % route_id, get_params={
2016-11-01 21:18:43 +00:00
"app_id": app_id, "app_key": app_key}, json=True)
event["stdout"].write("")