/usr/share/sumo/tools/trip/generateTripsXml.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 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 | #!/usr/bin/env python
"""
@file generateTripsXml.py
@author Yun-Pang Wang
@author Michael Behrisch
@date 2009-02-09
@version $Id: generateTripsXml.py 11671 2012-01-07 20:14:30Z behrisch $
This script generate a trip file as input data in sumo
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 os, string, sys, operator, math, datetime, random, bz2, StringIO
from xml.sax import saxutils, make_parser, handler
from optparse import OptionParser
sys.path.append(os.path.join(os.path.dirname(sys.argv[0]), "..", "assign"))
from dijkstra import dijkstraPlain
from inputs import getMatrix
# This class is used to build the nodes in the investigated network and
# includes the update-function for searching the k shortest paths.
class Vertex:
"""
This class is to store node attributes and the respective incoming/outgoing links.
"""
def __init__(self, num):
self.inEdges = []
self.outEdges = []
self.label = "%s" % num
self.sourceEdges = []
self.sinkEdges = []
self.sourceConnNodes = []
self.sinkConnNodes = []
def __repr__(self):
return self.label
class Trip:
"""
This class is to store trip attributes.
"""
def __init__(self, num, depart, source, sink, sourceD, sinkD):
self.label = "%s" % num
self.depart = depart
self.sourceEdge = source
self.sinkEdge = sink
self.sourceDistrict = sourceD
self.sinkDistrict = sinkD
def __repr__(self):
return self.label
# This class is uesed to store link information and estimate
# as well as flow and capacity for the flow computation and some parameters
# read from the net.
class Edge:
"""
This class is to record link attributes
"""
def __init__(self, label, source, target, kind="junction"):
self.label = label
self.source = source
self.target = target
self.capacity = sys.maxint
self.kind = kind
self.maxspeed = 1.0
self.length = 0.0
self.freeflowtime = 0.0
self.numberlane = 0
self.helpacttime = self.freeflowtime
def init(self, speed, length, laneNumber):
self.maxspeed = float(speed)
self.length = float(length)
self.numberlane = float(laneNumber)
if self.source.label == self.target.label:
self.freeflowtime = 0.0
else:
self.freeflowtime = self.length / self.maxspeed
self.helpacttime = self.freeflowtime
def __repr__(self):
cap = str(self.capacity)
if self.capacity == sys.maxint or self.connection != 0:
cap = "inf"
return "%s_<%s|%s|%s>" % (self.label, self.kind, self.source, self.target)
class Net:
def __init__(self):
self._vertices = []
self._edges = {}
self._endVertices = []
self._startVertices = []
self.sinkEdges = []
self.sourceEdges = []
def newVertex(self):
v = Vertex(len(self._vertices))
self._vertices.append(v)
return v
def getEdge(self, edgeLabel):
return self._edges[edgeLabel]
def addEdge(self, edgeObj):
edgeObj.source.outEdges.append(edgeObj)
edgeObj.target.inEdges.append(edgeObj)
if edgeObj.kind == "real":
self._edges[edgeObj.label] = edgeObj
def addIsolatedRealEdge(self, edgeLabel):
self.addEdge(Edge(edgeLabel, self.newVertex(), self.newVertex(),
"real"))
def getstartVertices(self):
return self._startVertices
def getendVertices(self):
return self._endVertices
def getstartCounts(self):
return len(self._startVertices)
def getendCounts(self):
return len(self._endVertices)
def getTargets(self):
target = set()
for end in self._endVertices:
for sink in end.sinkConnNodes:
if sink not in target:
target.add(end)
return target
def checkRoute(self, startVertex, endVertex, start, end, P, odConnTable, source, options):
for node in endVertex.sinkConnNodes:
length = 0.
vertex = node
if node in P:
link = P[node]
if options.limitlength:
while vertex != source:
if P[vertex].kind == "real":
length += P[vertex].length
vertex = P[vertex].source
odConnTable[startVertex.label][endVertex.label].append([source.outEdges[0].label, link.label, length])
if options.limitlength and len(odConnTable[startVertex.label][endVertex.label]) > 0:
for count, item in enumerate(odConnTable[startVertex.label][endVertex.label]):
if count == 0:
minLength = item[2]
else:
if item[2] < minLength:
minLength = item[2]
minLength *= 1.6
for item in odConnTable[startVertex.label][endVertex.label]:
if item[2] > minLength:
odConnTable[startVertex.label][endVertex.label].remove(item)
# The class is for parsing the XML input file (network file). The data parsed is written into the net.
class NetworkReader(handler.ContentHandler):
def __init__(self, net):
self._net = net
self._edge = ''
self._maxSpeed = 0
self._laneNumber = 0
self._length = 0
self._edgeObj = None
self._chars = ''
self._counter = 0
self._turnlink = None
def startElement(self, name, attrs):
self._chars = ''
if name == 'edge' and (not attrs.has_key('function') or attrs['function'] != 'internal'):
self._edge = attrs['id']
self._net.addIsolatedRealEdge(self._edge)
self._edgeObj = self._net.getEdge(self._edge)
self._edgeObj.source.label = attrs['from']
self._edgeObj.target.label = attrs['to']
self._maxSpeed = 0
self._laneNumber = 0
self._length = 0
elif name == 'succ':
self._edge = attrs['edge']
if self._edge[0]!=':':
self._edgeObj = self._net.getEdge(self._edge)
elif name == 'succlane' and self._edge!="":
l = attrs['lane']
if l != "SUMO_NO_DESTINATION":
toEdge = self._net.getEdge(l[:l.rfind('_')])
newEdge = Edge(self._edge+"_"+l[:l.rfind('_')], self._edgeObj.target, toEdge.source)
self._net.addEdge(newEdge)
self._edgeObj.finalizer = l[:l.rfind('_')]
elif name == 'lane' and self._edge != '':
self._maxSpeed = max(self._maxSpeed, float(attrs['maxspeed']))
self._laneNumber = self._laneNumber + 1
self._length = float(attrs['length'])
def characters(self, content):
self._chars += content
def endElement(self, name):
if name == 'edge' and self._edge != '':
self._edgeObj.init(self._maxSpeed, self._length, self._laneNumber)
self._edge = ''
# The class is for parsing the XML input file (districts). The data parsed is written into the net.
class DistrictsReader(handler.ContentHandler):
def __init__(self, net):
self._net = net
self._district = None
self.I = 100
def startElement(self, name, attrs):
if name == 'district':
self._districtSource = self._net.newVertex()
self._districtSource.label = attrs['id']
self._net._startVertices.append(self._districtSource)
self._districtSink = self._net.newVertex()
self._districtSink.label = attrs['id']
self._net._endVertices.append(self._districtSink)
elif name == 'dsink':
sinklink = self._net.getEdge(attrs['id'])
self.I += 1
conlink = self._districtSink.label + str(self.I)
newEdge = Edge(conlink, sinklink.target, self._districtSink, "real")
self._net.addEdge(newEdge)
newEdge.weight = attrs['weight']
self._districtSink.sinkConnNodes.append(sinklink.target)
newEdge.connection = 1
elif name == 'dsource':
sourcelink = self._net.getEdge(attrs['id'])
self.I += 1
conlink = self._districtSource.label + str(self.I)
newEdge = Edge(conlink, self._districtSource, sourcelink.source, "real")
self._net.addEdge(newEdge)
newEdge.weight = attrs['weight']
self._districtSource.sourceConnNodes.append(sourcelink.source)
newEdge.connection = 2
def endElement(self, name):
if name == 'district':
self._district = ''
def addVeh(counts, vehID, begin, period, odConnTable, startVertex, endVertex, tripList, vehIDtoODMap):
counts += 1.
vehID += 1
endtime = int((float(begin + period)-0.5)*3600) # The last half hour will not release any vehicles
depart = random.randint(begin*3600, endtime)
if len(odConnTable[startVertex.label][endVertex.label]) > 0:
connIndex = random.randint(0, len(odConnTable[startVertex.label][endVertex.label])-1)
connPair = odConnTable[startVertex.label][endVertex.label][connIndex]
veh = Trip(vehID, depart, connPair[0], connPair[1], startVertex.label, endVertex.label)
vehIDtoODMap[str(vehID)] = [startVertex.label, endVertex.label]
tripList.append(veh)
return counts, vehID, tripList, vehIDtoODMap
def main(options):
parser = make_parser()
isBZ2= False
dataDir = options.datadir
districts = os.path.join(dataDir, options.districtfile)
matrix = os.path.join(dataDir, options.mtxfile)
netfile = os.path.join(dataDir, options.netfile)
print 'generate Trip file for:', netfile
if "bz2" in netfile:
netfile = bz2.BZ2File(netfile)
isBZ2 = True
matrixSum = 0.
tripList = []
net = Net()
odConnTable = {}
vehIDtoODMap = {}
parser.setContentHandler(NetworkReader(net))
if isBZ2:
parser.parse(StringIO.StringIO(netfile.read()))
netfile.close()
else:
parser.parse(netfile)
parser.setContentHandler(DistrictsReader(net))
parser.parse(districts)
matrixPshort, startVertices, endVertices, currentMatrixSum, begin, period = getMatrix(net, options.debug, matrix, matrixSum)[:6]
if options.debug:
print len(net._edges), "edges read"
print len(net._startVertices), "start vertices read"
print len(net._endVertices), "target vertices read"
print 'currentMatrixSum:', currentMatrixSum
if options.getconns:
if options.debug:
print 'generate odConnTable'
for start, startVertex in enumerate(startVertices):
if startVertex.label not in odConnTable:
odConnTable[startVertex.label] = {}
for source in startVertex.sourceConnNodes:
targets = net.getTargets()
D, P = dijkstraPlain(source, targets)
for end, endVertex in enumerate(endVertices):
if startVertex.label != endVertex.label and matrixPshort[start][end] > 0.:
if endVertex.label not in odConnTable[startVertex.label]:
odConnTable[startVertex.label][endVertex.label]= []
net.checkRoute(startVertex, endVertex, start, end, P, odConnTable, source, options)
else:
if options.debug:
print 'import and use the given odConnTable'
sys.path.append(options.datadir)
from odConnTables import odConnTable
# output trips
if options.verbose:
print 'output the trip file'
vehID = 0
subVehID = 0
random.seed(42)
matrixSum = 0.
fouttrips = file(options.tripfile, 'w')
fouttrips.write('<?xml version="1.0"?>\n')
print >> fouttrips, """<!-- generated on %s by $Id: generateTripsXml.py 11671 2012-01-07 20:14:30Z behrisch $ -->
""" % datetime.datetime.now()
fouttrips.write("<tripdefs>\n")
#if hasattr(options, "scale"):
if options.demandscale != 1.:
print 'demand scale %s is used.' % options.demandscale
for start in range(len(startVertices)):
for end in range(len(endVertices)):
matrixPshort[start][end] *= options.demandscale
for start, startVertex in enumerate(startVertices):
for end, endVertex in enumerate(endVertices):
if startVertex.label != endVertex.label and matrixPshort[start][end] > 0.:
counts = 0.
if options.odestimation:
if matrixPshort[start][end] < 1.:
counts, vehID, tripList, vehIDtoODMap = addVeh(counts, vehID, begin, period, odConnTable, startVertex, endVertex, tripList, vehIDtoODMap)
else:
matrixSum += matrixPshort[start][end]
while (counts < float(math.ceil(matrixPshort[start][end])) and (matrixPshort[start][end] - counts) > 0.5 and float(subVehID) < matrixSum)or float(subVehID) < matrixSum:
counts, vehID, tripList, vehIDtoODMap = addVeh(counts, vehID, begin, period, odConnTable, startVertex, endVertex, tripList, vehIDtoODMap)
subVehID += 1
else:
matrixSum += matrixPshort[start][end]
while (counts < float(math.ceil(matrixPshort[start][end])) and (matrixPshort[start][end] - counts) > 0.5 and float(vehID) < matrixSum) or float(vehID) < matrixSum:
counts, vehID, tripList, vehIDtoODMap = addVeh(counts, vehID, begin, period, odConnTable, startVertex, endVertex, tripList, vehIDtoODMap)
if options.debug:
print 'total demand:', matrixSum
print vehID, 'trips generated'
tripList.sort(key=operator.attrgetter('depart'))
departpos = "free"
if __name__ == "__main__":
departpos = options.departpos
for trip in tripList:
fouttrips.write(' <tripdef id="%s" depart="%s" from="%s" to="%s" fromtaz="%s" totaz="%s" departlane="free" departpos="%s" departspeed="max"/>\n' \
%(trip.label, trip.depart, trip.sourceEdge, trip.sinkEdge, trip.sourceDistrict, trip.sinkDistrict, departpos))
fouttrips.write("</tripdefs>")
fouttrips.close()
return odConnTable, vehIDtoODMap
if __name__ == "__main__":
optParser = OptionParser()
optParser.add_option("-r", "--data-dir", dest="datadir",
default= os.getcwd(), help="give the data directory path")
optParser.add_option("-n", "--net-file", dest="netfile",
help="define the net file (mandatory)")
optParser.add_option("-m", "--matrix-file", dest="mtxfile",
help="define the matrix file (mandatory)")
optParser.add_option("-d", "--districts-file", dest="districtfile",
help="define the district file (mandatory)")
optParser.add_option("-l", "--limitlength", action="store_true", dest="limitlength",
default=False, help="the route length of possible connections of a given OD pair shall be less than 1.6 * min.length")
optParser.add_option("-t", "--trip-file", dest="tripfile",
default= "trips.trips.xml", help="define the output trip filename")
optParser.add_option("-x", "--odestimation", action="store_true", dest="odestimation",
default=False, help="generate trips for OD estimation")
optParser.add_option("-b", "--debug", action="store_true",
default=False, help="debug the program")
optParser.add_option("-v", "--verbose", action="store_true",
default=False, help="tell me what you are doing")
optParser.add_option("-f", "--scale-factor", dest="demandscale", type="float", default=1., help="scale demand by ")
optParser.add_option("-D", "--depart-pos", dest="departpos", type="choice",
choices=('random', 'free', 'random_free'),
default = 'free', help="choose departure position: random, free, random_free")
optParser.add_option("-C", "--get-connections", action="store_true", dest="getconns",
default= True, help="generate the OD connection directory, if set as False, a odConnTables.py should be available in the defined data directory")
(options, args) = optParser.parse_args()
if not options.netfile or not options.mtxfile or not options.districtfile:
optParser.print_help()
sys.exit()
main(options)
|