/usr/share/sumo/tools/route/routecompare.py is in sumo-tools 0.15.0~dfsg-2.
This file is owned by root:root, with mode 0o755.
The actual contents of the file can be viewed below.
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 | #!/usr/bin/env python
"""
@file routecompare.py
@author Michael Behrisch
@author Daniel Krajzewicz
@date 2008-03-25
@version $Id: routecompare.py 11671 2012-01-07 20:14:30Z behrisch $
This script compares two route sets by calculating
a similarity for any two routes based on the number of common edges
and determining a maximum weighted matching between the route sets.
It needs at least two parameters, which are the route sets to compare.
Optionally a district file may be given, then only routes with
the same origin and destination district are matched.
SUMO, Simulation of Urban MObility; see http://sumo.sourceforge.net/
Copyright (C) 2008-2012 DLR (http://www.dlr.de/) and contributors
All rights reserved
"""
import sys, optparse, array
from xml.sax import make_parser, handler
SCALE = 10000
INFINITY = 2**30
class RouteReader(handler.ContentHandler):
def __init__(self, routeMap, edges):
self._routes = routeMap
self._edges = edges
self._vID = ''
self._routeID = ''
self._routeString = ''
def startElement(self, name, attrs):
if name == 'vehicle':
self._vID = attrs['id']
elif name == 'route':
if attrs.has_key('id'):
self._routeID = attrs['id']
else:
self._routeID = self._vID
self._vID = ''
self._routeString = ''
if attrs.has_key('edges'):
self._routeString = attrs['edges']
def endElement(self, name):
if name == 'route':
route = array.array('L')
for edge in self._routeString.split():
if not edge in self._edges:
self._edges[edge] = len(self._edges)
route.append(self._edges[edge])
self._routes[self._routeID] = route
def characters(self, content):
if self._routeID != '':
self._routeString += content
class DistrictReader(handler.ContentHandler):
def __init__(self, sourceEdges, sinkEdges, edges):
self._sources = sourceEdges
self._sinks = sinkEdges
self._edges = edges
self._districtID = ''
def startElement(self, name, attrs):
if name == 'district':
self._districtID = attrs['id']
elif name == 'dsource':
if attrs['id'] in self._edges:
self._sources[self._edges[attrs['id']]] = self._districtID
else:
if options.verbose:
print "Warning! No routes touching source edge %s of %s." % (attrs['id'], self._districtID)
elif name == 'dsink':
if attrs['id'] in self._edges:
self._sinks[self._edges[attrs['id']]] = self._districtID
else:
if options.verbose:
print "Warning! No routes touching sink edge %s of %s." % (attrs['id'], self._districtID)
def compare(first, second):
commonEdges = 0
for edge in first:
if edge in second:
commonEdges += SCALE
return commonEdges / max(len(first), len(second))
def matching(routeIDs1, routeIDs2, similarityMatrix, match):
matchVal = 0
for id1 in routeIDs1:
maxMatch = -1
matchId = ""
for id2 in routeIDs2:
if id2 not in match and similarityMatrix[id1][id2] > maxMatch:
maxMatch = similarityMatrix[id1][id2]
matchId = id2
if matchId:
match[matchId] = id1
matchVal += maxMatch
return matchVal
def identityCount(routeIDs1, routeIDs2, similarityMatrix):
matched = set()
for id1 in routeIDs1:
for id2 in routeIDs2:
if id2 not in matched and similarityMatrix[id1][id2] == SCALE:
matched.add(id2)
break
return len(matched)
class Node:
def __init__(self, routeID, weight):
self.routeID = routeID
self.weight = weight
self.eps = INFINITY
self.level = INFINITY
self.match = None
def augmentSimultan(vTerm):
dead = set()
for v in vTerm:
path = [v]
l = 0
while True:
while len(path[l].pre) > 0 and path[l].pre[0] in dead:
path[l].pre.pop(0)
if len(path[l].pre) == 0:
if l == 0:
break
dead.add(path[l - 1])
l -= 2
else:
if l == len(path) - 1:
path.append(None)
path[l + 1] = path[l].pre.pop(0)
dead.add(path[l + 1])
l += 1
if path[l].level == 0:
for j in range(0, l + 1, 2):
path[j].match = path[j + 1]
path[j + 1].match = path[j]
break
else:
if l == len(path) - 1:
path.append(None)
path[l + 1] = path[l].match
l += 1
def hungarianDAG(U, V, similarityMatrix):
while True:
S = set()
T = set()
Q = []
vTerm = set()
for u in U:
u.level = INFINITY
u.eps = INFINITY
if not u.match:
S.add(u)
u.level = 0
Q.append(u)
for v in V:
v.level = INFINITY
v.eps = INFINITY
while len(Q) > 0:
s = Q.pop(0)
for t in V:
if s.weight + t.weight == similarityMatrix[s.routeID][t.routeID]:
if t.level > s.level:
if t.level == INFINITY:
T.add(t)
t.level = s.level + 1
t.pre = [s]
if not t.match:
vTerm.add(t)
else:
S.add(t.match)
t.match.level = t.level + 1
Q.append(t.match)
else:
t.pre.append(s)
else:
t.eps = min(t.eps, s.weight + t.weight - similarityMatrix[s.routeID][t.routeID])
if len(vTerm) > 0:
break
epsilon = INFINITY
for t in V:
if t.eps < epsilon:
epsilon = t.eps
if epsilon == INFINITY:
break
for x in S:
x.weight -= epsilon
for x in T:
x.weight += epsilon
return vTerm
def maxMatching(routeIDs1, routeIDs2, similarityMatrix, match):
maxSimilarity = 0
for id1 in routeIDs1:
for value in similarityMatrix[id1].itervalues():
if value > maxSimilarity:
maxSimilarity = value
U = []
for id1 in routeIDs1:
U.append(Node(id1, maxSimilarity))
V = []
for id2 in routeIDs2:
V.append(Node(id2, 0))
while True:
vTerm = hungarianDAG(U, V, similarityMatrix)
if len(vTerm) == 0:
break
augmentSimultan(vTerm)
matchVal = 0
for v in V:
if v.match:
match[v.routeID] = v.match.routeID
matchVal += similarityMatrix[v.match.routeID][v.routeID]
return matchVal
optParser = optparse.OptionParser(usage="usage: %prog [options] <routes1> <routes2>")
optParser.add_option("-d", "--districts-file", dest="districts",
default="", help="read districts from FILE", metavar="FILE")
optParser.add_option("-s", "--simple-match", action="store_true", dest="simple",
default=False, help="use simple matching algorithm")
optParser.add_option("-p", "--print-matching", action="store_true", dest="printmatch",
default=False, help="print the resulting matching")
optParser.add_option("-v", "--verbose", action="store_true", dest="verbose",
default=False, help="print more info")
(options, args) = optParser.parse_args()
if len(args) < 2:
optParser.print_help()
sys.exit()
edges = {}
routes1 = {}
routes2 = {}
parser = make_parser()
if options.verbose:
print "Reading first routes file %s" % args[0]
parser.setContentHandler(RouteReader(routes1, edges))
parser.parse(args[0])
if options.verbose:
print "Reading second routes file %s" % args[1]
parser.setContentHandler(RouteReader(routes2, edges))
parser.parse(args[1])
routeMatrix1 = {}
routeMatrix2 = {}
if options.districts:
sources = {}
sinks = {}
if options.verbose:
print "Reading districts %s" % options.districts
parser.setContentHandler(DistrictReader(sources, sinks, edges))
parser.parse(options.districts)
for routes, routeMatrix in [(routes1, routeMatrix1), (routes2, routeMatrix2)]:
for routeID, route in routes.iteritems():
source = sources[route[0]]
sink = sinks[route[-1]]
if not source in routeMatrix:
routeMatrix[source] = {}
if not sink in routeMatrix[source]:
routeMatrix[source][sink] = []
routeMatrix[source][sink].append(routeID)
else:
for routes, routeMatrix in [(routes1, routeMatrix1), (routes2, routeMatrix2)]:
routeMatrix["dummySource"] = {}
routeMatrix["dummySource"]["dummySink"] = list(routes.iterkeys())
match = {}
totalMatch = 0
totalIdentical = 0
for source in routeMatrix1.iterkeys():
if not source in routeMatrix2:
if options.verbose:
print "Warning! No routes starting at %s in second route set" % source
continue
for sink, routeIDs1 in routeMatrix1[source].iteritems():
if not sink in routeMatrix2[source]:
if options.verbose:
print "Warning! No routes starting at %s and ending at %s in second route set" % (source, sink)
continue
routeIDs2 = routeMatrix2[source][sink]
if options.verbose and len(routeIDs1) != len(routeIDs2):
print "Warning! Different route set sizes for start '%s' and end '%s'." % (source, sink)
similarityMatrix = {}
for idx, id1 in enumerate(routeIDs1):
for oldID in routeIDs1[:idx]:
if routes1[oldID] == routes1[id1]:
similarityMatrix[id1] = similarityMatrix[oldID]
break
if not id1 in similarityMatrix:
similarityMatrix[id1] = {}
for id2 in routeIDs2:
similarityMatrix[id1][id2] = compare(routes1[id1], routes2[id2])
if options.simple:
matchVal = matching(routeIDs1, routeIDs2, similarityMatrix, match)
else:
matchVal = maxMatching(routeIDs1, routeIDs2, similarityMatrix, match)
totalMatch += matchVal
identityVal = identityCount(routeIDs1, routeIDs2, similarityMatrix)
totalIdentical += identityVal
if options.verbose:
print source, sink, float(matchVal) / len(routeIDs1) / SCALE, float(identityVal) / len(routeIDs1)
if options.printmatch:
for r2, r1 in match.iteritems():
print r1, r2
print float(totalMatch) / len(routes1) / SCALE, float(totalIdentical) / len(routes1)
|