forked from eclipse-sumo/sumo
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcreateVehTypeDistribution.py
executable file
·296 lines (248 loc) · 11.8 KB
/
createVehTypeDistribution.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
#!/usr/bin/env python
# Eclipse SUMO, Simulation of Urban MObility; see https://eclipse.org/sumo
# Copyright (C) 2010-2019 German Aerospace Center (DLR) and others.
# This program and the accompanying materials
# are made available under the terms of the Eclipse Public License v2.0
# which accompanies this distribution, and is available at
# http://www.eclipse.org/legal/epl-v20.html
# SPDX-License-Identifier: EPL-2.0
# @file createVehTypeDistribution.py
# @author Mirko Barthauer (Technische Universitaet Braunschweig, Institut fuer Verkehr und Stadtbauwesen)
# @author Jakob Erdmann
# @author Michael Behrisch
# @date 2016-06-09
# @version $Id$
"""
Creates a vehicle type distribution with a number of representative car-following parameter sets. \
Optional parameters can be viewed by using the --help switch.
Mandatory input:
path to config file - defines the car-following model parameter distributions for one single vehicle type distribution
In the config file, one line is used per vehicle type attribute. The syntax is:
nameOfAttribute; valueOfAttribute [; limits]
ValueOfAttribute can be a string, a scalar value or a distribution definition. \
Available distributions and its syntax are:
"normal(mu,sd)" with mu and sd being floating numbers: Normal distribution with mean mu and standard deviation sd.
"uniform(a,b)" with limits a and b being floating numbers: Uniform distribution between a and b.
"gamma(alpha,beta)" with parameters alpha and beta: Gamma distribution.
Limits are optional and defined as the allowed interval: e.g. "[0,1]" or "[3.5,5.0]". \
By default, no negative values are accepted but have to be enabled by
a negative lower limit.
"""
import os
import sys
import csv
import re
import xml.dom.minidom
import random
import argparse
class FixDistribution(object):
def __init__(self, params, isNumeric=True):
if isNumeric:
self._params = tuple([float(p) for p in params])
else:
self._params = params
self._limits = (0, None)
self._isNumeric = isNumeric
self._maxSampleAttempts = 10
def setMaxSamplingAttempts(self, n):
if n is not None:
self._maxSampleAttempts = n
def setLimits(self, limits):
self._limits = limits
def sampleValue(self):
if self._isNumeric:
value = None
nrSampleAttempts = 0
# Sample until value falls into limits
while nrSampleAttempts < self._maxSampleAttempts \
and (value is None or (self._limits[1] is not None and value > self._limits[1]) or
(self._limits[0] is not None and value < self._limits[0])):
value = self._sampleValue()
nrSampleAttempts += 1
# Eventually apply fallback cutting value to limits
if self._limits[0] is not None and value < self._limits[0]:
value = self._limits[0]
elif self._limits[1] is not None and value > self._limits[1]:
value = self._limits[1]
else:
value = self._sampleValue()
return value
def sampleValueString(self, decimalPlaces):
if self._isNumeric:
decimalPattern = "%." + str(decimalPlaces) + "f"
return decimalPattern % self.sampleValue()
return self.sampleValue()
def _sampleValue(self):
return self._params[0]
class NormalDistribution(FixDistribution):
def __init__(self, loc, scale):
FixDistribution.__init__(self, (loc, scale))
def _sampleValue(self):
return random.normalvariate(self._params[0], self._params[1])
class NormalCappedDistribution(FixDistribution):
def __init__(self, loc, scale, cutLow, cutHigh):
FixDistribution.__init__(self, (loc, scale, cutLow, cutHigh))
if loc < cutLow or loc > cutHigh:
sys.stderr.write("mean %s is outside cutoff bounds [%s, %s]" % (
loc, cutLow, cutHigh))
sys.exit()
def _sampleValue(self):
while True:
cand = random.normalvariate(self._params[0], self._params[1])
if cand >= self._params[2] and cand <= self._params[3]:
return cand
class UniformDistribution(FixDistribution):
def __init__(self, lower, upper):
FixDistribution.__init__(self, (lower, upper))
def _sampleValue(self):
return random.uniform(self._params[0], self._params[1])
class GammaDistribution(FixDistribution):
def __init__(self, loc, scale):
FixDistribution.__init__(self, (loc, 1.0 / scale))
def _sampleValue(self):
return random.gammavariate(self._params[0], self._params[1])
def get_options(args=None):
argParser = argparse.ArgumentParser()
argParser.add_argument(
"configFile", help="file path of the config file which defines the car-following parameter distributions")
argParser.add_argument(
"-o", "--output-file", dest="outputFile", default="vTypeDistributions.add.xml", help="file path of the " +
"output file (if the file already exists, the script tries to insert the distribution node into it)")
argParser.add_argument(
"-n", "--name", dest="vehDistName", default="vehDist", help="alphanumerical ID used for the created " +
"vehicle type distribution")
argParser.add_argument(
"-s", "--size", type=int, default=100, dest="vehicleCount", help="number of vTypes in the distribution")
argParser.add_argument(
"-d", "--decimal-places", type=int, default=3, dest="decimalPlaces", help="number of decimal places for " +
"numeric attribute values")
argParser.add_argument(
"--resampling", type=int, default=100, dest="nrSamplingAttempts", help="number of attempts to resample a " +
"value until it lies in the specified bounds")
argParser.add_argument("--seed", type=int, help="random seed", default=42)
options = argParser.parse_args()
return options
def readConfigFile(options):
filePath = options.configFile
result = {}
floatRegex = ['\s*(-?[0-9]+(\.[0-9]+)?)\s*']
distSyntaxes = {'normal': 'normal\(%s\)' % (",".join(2 * floatRegex)),
'normalCapped': 'normalCapped\(%s\)' % (",".join(4 * floatRegex)),
'uniform': 'uniform\(%s\)' % (",".join(2 * floatRegex)),
'gamma': 'gamma\(%s\)' % (",".join(2 * floatRegex))}
with open(filePath) as f:
reader = csv.reader(f, delimiter=';')
for row in reader:
attName = None
lowerLimit = 0
upperLimit = None
value = None
if len(row) >= 2:
if len(row[0].strip()) > 0:
attName = row[0].strip()
if attName == "param":
# this indicates that a parameter child-element is to be created for the vTypes
isParameter = True
del row[0]
if len(row) < 2:
# a parameter needs a name and a value specification
continue
attName = row[0].strip()
else:
isParameter = False
# check if attribute value matches given distribution
# syntax
attValue = row[1].strip()
distFound = False
for distName, distSyntax in distSyntaxes.items():
items = re.findall(distSyntax, attValue)
distFound = len(items) > 0
if distFound: # found distribution
distPar1 = float(items[0][0])
distPar2 = float(items[0][2])
if distName == 'normal':
value = NormalDistribution(distPar1, distPar2)
elif distName == 'normalCapped':
cutLow = float(items[0][4])
cutHigh = float(items[0][6])
value = NormalCappedDistribution(distPar1, distPar2, cutLow, cutHigh)
elif distName == 'uniform':
value = UniformDistribution(distPar1, distPar2)
elif distName == 'gamma':
value = GammaDistribution(distPar1, distPar2)
break
if not distFound:
isNumeric = len(re.findall(
'(-?[0-9]+(\.[0-9]+)?)', attValue)) > 0
value = FixDistribution((attValue,), isNumeric)
# get optional limits
if len(row) == 3:
limitValue = row[2].strip()
items = re.findall(
'\[\s*(-?[0-9]+(\.[0-9]+)?)\s*,\s*(-?[0-9]+(\.[0-9]+)?)\s*\]', limitValue)
if len(items) > 0:
lowerLimit = float(items[0][0])
upperLimit = float(items[0][2])
value.setLimits((lowerLimit, upperLimit))
value.setMaxSamplingAttempts(options.nrSamplingAttempts)
res = {"value": value, "isParameter": isParameter}
result[attName] = res
return result
def main(options):
if options.seed:
random.seed(options.seed)
vTypeParameters = readConfigFile(options)
useExistingFile = False
if os.path.exists(options.outputFile):
try:
domTree = xml.dom.minidom.parse(options.outputFile)
except Exception as e:
sys.exit("Cannot parse existing %s. Error: %s" %
(options.outputFile, str(e)))
useExistingFile = True
else:
domTree = xml.dom.minidom.Document()
vTypeDistNode = domTree.createElement("vTypeDistribution")
vTypeDistNode.setAttribute("id", options.vehDistName)
for i in range(0, options.vehicleCount):
vTypeNode = domTree.createElement("vType")
vTypeNode.setAttribute("id", options.vehDistName + str(i))
for attName, d in vTypeParameters.items():
attValue = d["value"]
isParameter = d["isParameter"]
if isParameter:
paramNode = domTree.createElement("param")
paramNode.setAttribute("key", attName)
paramNode.setAttribute("value", attValue.sampleValueString(options.decimalPlaces))
vTypeNode.appendChild(paramNode)
else:
vTypeNode.setAttribute(
attName, attValue.sampleValueString(options.decimalPlaces))
vTypeDistNode.appendChild(vTypeNode)
existingDistNodes = domTree.getElementsByTagName("vTypeDistribution")
replaceNode = None
for existingDistNode in existingDistNodes:
if existingDistNode.hasAttribute("id") and existingDistNode.getAttribute("id") == options.vehDistName:
replaceNode = existingDistNode
break
if useExistingFile:
if replaceNode is not None:
replaceNode.parentNode.replaceChild(vTypeDistNode, replaceNode)
else:
domTree.documentElement.appendChild(vTypeDistNode)
else:
additionalNode = domTree.createElement("additional")
additionalNode.setAttribute(
"xmlns:xsi", "http://www.w3.org/2001/XMLSchema-instance")
additionalNode.setAttribute(
"xsi:noNamespaceSchemaLocation", "http://sumo.dlr.de/xsd/additional_file.xsd")
additionalNode.appendChild(vTypeDistNode)
domTree.appendChild(additionalNode)
fileHandle = open(options.outputFile, "w")
domTree.documentElement.writexml(
fileHandle, addindent=" ", newl="\n")
fileHandle.close()
sys.stdout.write("Output written to %s" % options.outputFile)
if __name__ == "__main__":
options = get_options(sys.argv)
main(options)