This repository has been archived by the owner on Nov 30, 2023. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 253
/
visualize_pathways.py
executable file
·516 lines (410 loc) · 15.4 KB
/
visualize_pathways.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
#!/usr/bin/python2
# -*- coding: utf-8 -*-
# Copyright (C) 2019 Google Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Visualizes pathway graph for a given GTFS feed with GraphViz.
Graph vertices are stations, platforms, entrances, generic nodes and
boarding areas.
Graph edges are pathways.
Legend for vertices:
* platform: light sky blue
* station: light yellow
* entrance: light coral
* generic_node: light grey
* boarding_area: springgreen
Usage:
$ visualize_pathways.py --png --svg my-feed
Generated my-feed.dot
Generated my-feed.png
Generated my-feed.svg
"""
from __future__ import print_function
from enum import Enum
import argparse
import csv
import re
import os
import subprocess
import sys
class LocationType(Enum):
"""Types of locations in stops.txt (field location_type).
"""
platform = 0
station = 1
entrance = 2
generic_node = 3
boarding_area = 4
class PathwayMode(Enum):
"""Modes of pathways in pathways.txt (field pathway_mode).
"""
unknown = 0
walkway = 1
stairs = 2
moving_sidewalk = 3
escalator = 4
elevator = 5
fare_gate = 6
exit_gate = 7
class GtfsLocation(object):
"""GTFS location of any type: station, entrance etc defined in stops.txt.
"""
def __init__(self, row, gtfs_reader):
self._row = row
self._reader = gtfs_reader
self.gtfs_id = row['stop_id'].strip()
self.location_type = LocationType(
int(row.get('location_type', 0) or 0))
self.name = row['stop_name'].strip()
self.platform_code = row.get('platform_code', '').strip() or None
self.signposted_as = row.get('signposted_as', '').strip() or None
self.parent_id = row.get('parent_station', '').strip() or None
self.children = []
self.outgoing_pathways = []
self.incoming_pathways = []
@property
def parent(self):
if self.parent_id:
return self._reader.get_location(self.parent_id)
return None
def station(self):
result = self
while result.parent_id:
result = result.parent
return result
def add_to_parent(self):
if self.parent_id:
self.parent.children.append(self.gtfs_id)
def has_children(self):
return len(self.children) > 0
def add_outgoing_pathway(self, pathway_id):
self.outgoing_pathways.append(pathway_id)
def add_incoming_pathway(self, pathway_id):
self.incoming_pathways.append(pathway_id)
def has_pathways(self):
return (len(self.incoming_pathways) > 0 or
len(self.outgoing_pathways) > 0)
def self_or_children_have_pathways(self):
if self.has_pathways():
return True
for child_id in self.children:
if self._reader.get_location(
child_id).self_or_children_have_pathways():
return True
return False
class GtfsPathway(object):
"""GTFS pathway defined in pathways.txt.
"""
def __init__(self, row, gtfs_reader):
self._row = row
self._reader = gtfs_reader
self.gtfs_id = row['pathway_id'].strip()
self.from_id = row['from_stop_id'].strip()
self.to_id = row['to_stop_id'].strip()
self.mode = PathwayMode(int(row.get('pathway_mode', 0) or 0))
self.is_bidirectional = int(row.get('is_bidirectional', 0) or 0)
self.signposted_as = row.get('signposted_as', '').strip() or None
self.reversed_signposted_as = row.get(
'reversed_signposted_as', '').strip() or None
@property
def from_location(self):
return self._reader.get_location(self.from_id)
@property
def to_location(self):
return self._reader.get_location(self.to_id)
def add_to_endpoints(self):
self.from_location.add_outgoing_pathway(self.gtfs_id)
self.to_location.add_incoming_pathway(self.gtfs_id)
class GtfsReader(object):
"""Reads GTFS data relevant for pathway visualization: stops.txt and
pathways.txt.
"""
def __init__(self, gtfs_dir):
self.gtfs_dir = gtfs_dir
self._read_locations()
self._read_pathways()
def get_location(self, stop_id):
return self._locations_map[stop_id]
@property
def locations(self):
return self._locations_map.values()
def get_pathway(self, stop_id):
return self._pathways_map[stop_id]
@property
def pathways(self):
return self._pathways_map.values()
def _read_locations(self):
self._locations_map = self._read_table('stops', GtfsLocation)
for location in self.locations:
location.add_to_parent()
def _read_pathways(self):
self._pathways_map = self._read_table('pathways', GtfsPathway)
for pathway in self.pathways:
pathway.add_to_endpoints()
def _read_table(self, table, entity_type):
entities = {}
with open(os.path.join(self.gtfs_dir, '%s.txt' % table), 'rb') as f:
reader = csv.DictReader(f)
for row in reader:
entity = entity_type(row, self)
entities[entity.gtfs_id] = entity
return entities
_VALID_GRAPHVIZ_ID = re.compile(r'^[A-Za-z_][A-Za-z0-9_]+$')
def escape_graphviz_id(gtfs_id):
if _VALID_GRAPHVIZ_ID.match(gtfs_id):
return gtfs_id
return '"%s"' % gtfs_id.replace('"', r'\"')
def truncate_string(s, max_length=20):
s = unicode(s, 'utf-8', errors='ignore')
if max_length > 0 and len(s) > max_length:
s = u'%s..%s' % (s[:max_length - 4], s[-2:])
return s.encode('utf-8')
class Attributes(object):
"""Helper for pretty-printing attributes:
label="Platform 2" color=springgreen shape=oval
"""
def __init__(self, **kwargs):
self.attributes = kwargs
def __str__(self):
return ' '.join(
'%s=%s' % (k, escape_graphviz_id(v))
for k, v in sorted(self.attributes.items())
if v is not None)
class GraphViz(object):
"""Keeps all data for a GraphViz DOT file: nodes, clustes and edges.
"""
def __init__(self):
self.nodes = []
self.clusters = {}
self.edges = []
def __str__(self):
result = 'digraph D {\n node [ %s ]\n' % Attributes(style='filled')
for cluster in self.clusters.values():
result += '\n %s\n' % cluster.indent(1)
for node in self.nodes:
result += ' %s\n' % node
result += '\n'
for edge in self.edges:
result += '\n %s\n' % edge
result += '}\n'
return result
def add_cluster(self, cluster):
self.clusters[cluster.id] = cluster
def get_cluster(self, id):
return self.clusters[id]
class GraphCluster(object):
"""A GraphViz cluster that groups several nodes.
"""
def __init__(self, id, label, color):
self.id = id
self.label = label
self.color = color
self.nodes = []
self.clusters = {}
def add_node(self, node):
self.nodes.append(node)
def add_cluster(self, cluster):
self.clusters[cluster.id] = cluster
def get_cluster(self, id):
return self.clusters[id]
def __str__(self):
return self.indent(0)
def indent(self, level):
indent_str = ' ' * level
result = 'subgraph %s {\n' % (
escape_graphviz_id('cluster_%s' % self.id))
result += '%s graph [ %s ]\n' % (
indent_str,
Attributes(
style='filled',
color=self.color,
label=self.label))
for cluster in self.clusters.values():
result += '\n%s %s\n' % (indent_str, cluster.indent(level + 1))
for node in self.nodes:
result += '\n%s %s\n' % (indent_str, node)
result += '%s}' % indent_str
return result
class GraphNode(object):
"""A GraphViz node.
"""
def __init__(self, id, label, color, shape):
self.id = id
self.label = label
self.color = color
self.shape = shape
def __str__(self):
return '%s [ %s ]' % (
escape_graphviz_id(self.id), Attributes(
label=self.label,
color=self.color,
shape=self.shape))
class GraphEdge(object):
"""A GraphViz edge.
"""
def __init__(self, source, destination, direction, label):
self.source = source
self.destination = destination
self.direction = direction
self.label = label
def __str__(self):
return 'edge [ %s ]\n %s -> %s [ %s ]' % (
Attributes(dir=self.direction),
escape_graphviz_id(self.source),
escape_graphviz_id(self.destination),
Attributes(label=self.label))
def location_color(location_type):
colors = {
LocationType.platform: "lightskyblue",
LocationType.station: "lightyellow",
LocationType.entrance: "lightcoral",
LocationType.generic_node: "lightgrey",
LocationType.boarding_area: "springgreen",
}
return colors.get(location_type, "blue")
def location_shape(location_type):
shapes = {
LocationType.platform: "box",
LocationType.station: "polygon",
LocationType.entrance: "doubleoctagon",
LocationType.generic_node: "hexagon",
LocationType.boarding_area: "oval",
}
return shapes.get(location_type, "blue")
def location_label(location, max_length=20):
label = location.gtfs_id
if location.platform_code:
label += '\\nPlatform %s' % location.platform_code
elif location.signposted_as:
label += '\\n%s' % location.signposted_as
elif location.name:
label += '\\n%s' % truncate_string(location.name, max_length)
return label
def pathway_label(pathway):
label = pathway.mode.name
if pathway.signposted_as:
label += '\\n%s' % truncate_string(pathway.signposted_as)
if pathway.reversed_signposted_as:
label += '\\n%s' % truncate_string(pathway.reversed_signposted_as)
return label
def requires_platform_cluster(location):
return (location.location_type == LocationType.platform and
location.has_children())
def choose_location_ids(gtfs, stop_ids=None):
"""Chooses a set of location ids (stations and their children) for
rendering a pathway graph.
If stop_ids is None, then all stations that have pathways are chosen.
If stop_ids is not None, then the station with this stop_id (or
with a child with this stop_id) is chosen.
"""
if not stop_ids:
# Select locations that are involved in pathway graph.
return [location.gtfs_id
for location in gtfs.locations
if location.station().self_or_children_have_pathways()]
station_ids = set()
try:
for stop_id in stop_ids.split(','):
station = gtfs.get_location(stop_id).station()
station_ids.add(station.gtfs_id)
print('Visualizing station %s' % station.gtfs_id)
except KeyError:
raise Exception('Cannot find location with stop_id=%s' % stop_id)
location_ids = station_ids.copy()
for station_id in station_ids:
for child_id in gtfs.get_location(station_id).children:
# Child is a platform, entrance or generic node.
location_ids.add(child_id)
# Add boarding areas if they are present for this child platform.
for boarding_area_id in gtfs.get_location(child_id).children:
location_ids.add(gtfs.get_location(boarding_area_id).gtfs_id)
return location_ids
def gtfs_to_graphviz(gtfs, stop_ids=None):
"""Reads GTFS data and returns GraphViz DOT file content as string.
"""
graph = GraphViz()
location_ids = choose_location_ids(gtfs, stop_ids)
locations = [gtfs.get_location(i) for i in location_ids]
for location in locations:
if not location.parent_id:
graph.add_cluster(GraphCluster(
location.gtfs_id,
location_label(location, max_length=-1),
location_color(location.location_type)))
for location in locations:
if location.parent_id and requires_platform_cluster(location):
graph.get_cluster(location.parent_id).add_cluster(GraphCluster(
location.gtfs_id,
location_label(location),
location_color(location.location_type)))
for location in locations:
if not location.parent_id or requires_platform_cluster(location):
continue
node = GraphNode(
location.gtfs_id,
location_label(location, max_length=25),
location_color(location.location_type),
location_shape(location.location_type))
cluster = graph.get_cluster(location.station().gtfs_id)
if location.location_type == LocationType.boarding_area:
cluster = cluster.get_cluster(location.parent_id)
cluster.nodes.append(node)
for pathway in gtfs.pathways:
if pathway.from_id in location_ids and pathway.to_id in location_ids:
graph.edges.append(GraphEdge(
pathway.from_id, pathway.to_id,
'both' if pathway.is_bidirectional else 'forward',
pathway_label(pathway)))
return graph
def main():
parser = argparse.ArgumentParser(description='Visualize pathway graph.')
parser.add_argument('gtfs_directory', metavar='GTFS_DIR', type=str,
nargs=1, help='Unzipped GTFS directory')
parser.add_argument('--dot', '-d',
help='Output GraphViz DOT file')
parser.add_argument('--png', '-p', dest='png',
action='store_true',
help='Additionally generate a PNG file with GraphViz')
parser.add_argument('--svg', '-g', dest='svg',
action='store_true',
help='Additionally generate a SVG file with GraphViz')
parser.add_argument('--stop_ids', '-s',
help='If set, then the graph will contain only those '
'stations that include locations with these stop_ids')
args = parser.parse_args()
graph = gtfs_to_graphviz(GtfsReader(args.gtfs_directory[0]), args.stop_ids)
if args.dot:
dot_filename = args.dot
else:
dot_filename = '%s.dot' % os.path.normpath(args.gtfs_directory[0])
with open(dot_filename, 'w+b') as dot_f:
dot_f.write(str(graph))
print('Generated %s' % dot_filename)
if args.png:
png_filename = '%s.png' % os.path.splitext(dot_filename)[0]
subprocess.call([
'dot',
'-T', 'png',
'-o', png_filename,
dot_filename])
print('Generated %s' % png_filename)
if args.svg:
svg_filename = '%s.svg' % os.path.splitext(dot_filename)[0]
subprocess.call([
'dot',
'-T', 'svg',
'-o', svg_filename,
dot_filename])
print('Generated %s' % svg_filename)
if __name__ == '__main__':
main()