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 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609
|
# Software License Agreement (BSD License)
#
# Copyright (c) 2009, Willow Garage, Inc.
# Copyright (c) 2015, Open Source Robotics Foundation, Inc.
# All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions
# are met:
#
# * Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
# * Redistributions in binary form must reproduce the above
# copyright notice, this list of conditions and the following
# disclaimer in the documentation and/or other materials provided
# with the distribution.
# * Neither the name of Willow Garage, Inc. nor the names of its
# contributors may be used to endorse or promote products derived
# from this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS
# FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE
# COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT,
# INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
# BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
# LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
# CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
# LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN
# ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
# POSSIBILITY OF SUCH DAMAGE.
# Author: Blaise Gassend
# Maintainers: Esteve Fernandez, Morgan Quigley
# Given a set of parameters, generates the messages, service types, and
# classes to allow runtime reconfiguration. Documentation of a node's
# parameters is a handy byproduct.
# @todo
# Need to check types of min max and default
# Need to put sane error on exceptions
from __future__ import print_function
import inspect
import os
import re
from string import Template
import sys
import textwrap
# LINEDEBUG="#line"
LINEDEBUG = "//#line"
# Convenience names for types
str_t = "str"
bool_t = "bool"
int_t = "int"
double_t = "double"
id = 0
def check_description(description):
quotes = ['"', "'"]
for quote in quotes:
if description.find(quote) != -1:
raise Exception(r"""quotes not allowed in description string `%s`""" % description)
def check_name(name):
pattern = r'^[a-zA-Z][a-zA-Z0-9_]*$'
if not re.match(pattern, name):
raise Exception("The name of field \'%s\' does not follow the ROS naming conventions, see http://wiki.ros.org/ROS/Patterns/Conventions" % name)
class ParameterGenerator(object):
minval = {
'int': -0x80000000, # 'INT_MIN',
'double': '-std::numeric_limits<double>::infinity()',
'str': '',
'bool': False,
}
maxval = {
'int': 0x7FFFFFFF, # 'INT_MAX',
'double': 'std::numeric_limits<double>::infinity()',
'str': '',
'bool': True,
}
defval = {
'int': 0,
'double': 0,
'str': '',
'bool': False,
}
class Group(object):
instances = {}
def __init__(self, gen, name, type, state, id, parent):
self.name = name.replace(" ", "_")
check_name(self.name)
self.type = type
self.groups = []
self.parameters = []
self.gen = gen
self.id = id
self.parent = parent
self.state = state
self.srcline = inspect.currentframe().f_back.f_lineno
self.srcfile = os.path.basename(inspect.getsourcefile(inspect.currentframe().f_back.f_code))
self.instances[self.id] = self
def get_group(self, id):
return self.instances[id]
def add_group(self, name, type="", state=True):
global id
group = self.gen.Group(self.gen, name, type, state, id, self.id)
id = id + 1
self.groups.append(group)
return group
def add(self, name, paramtype, level, description, default=None, min=None, max=None, edit_method=""):
newparam = {
'name': name,
'type': paramtype,
'default': default,
'level': level,
'description': description,
'min': min,
'max': max,
'srcline': inspect.currentframe().f_back.f_lineno,
'srcfile': os.path.basename(inspect.getsourcefile(inspect.currentframe().f_back.f_code)),
'edit_method': edit_method,
}
if (paramtype == str_t or paramtype == bool_t) and (max is not None or min is not None):
raise Exception(
"Max or min specified for %s, which is of '%s' type" % (name, paramtype))
check_name(name)
self.gen.fill_type(newparam)
self.gen.check_type_fill_default(newparam, 'default', self.gen.defval[paramtype])
self.gen.check_type_fill_default(newparam, 'max', self.gen.maxval[paramtype])
self.gen.check_type_fill_default(newparam, 'min', self.gen.minval[paramtype])
self.parameters.append(newparam)
# Compile a list of all the parameters in this group
def get_parameters(self):
params = []
params.extend(self.parameters)
for group in self.groups:
params.extend(group.get_parameters())
return params
def get_parents(self):
parents = []
if not self.id == 0:
p = self.get_group(self.parent)
parents.extend(p.get_parents())
parents.append(self.name)
else:
parents.append(self.name)
return parents
def get_field(self):
fld = []
fld.extend(self.get_parents())
ret = []
for x in fld:
if x == self.name:
ret.append(x.lower())
else:
ret.append(x.upper())
return "::".join(ret)
def get_class(self, parent=False):
cls = []
cls.extend(self.get_parents())
cls = [x.upper() for x in cls]
if parent is True:
cls.pop()
return "::".join(cls)
# dictionary used to create the generated classes
def to_dict(self):
if self.id == 0:
name = "groups"
else:
name = self.name
if self.state:
state = 'true'
else:
state = 'false'
return {
'name': self.name,
'type': self.type,
'state': self.state,
'cstate': state,
'id': self.id, 'parent': self.parent,
'parameters': self.parameters,
'groups': [group.to_dict() for group in self.groups],
'srcline': self.srcline,
'srcfile': self.srcfile,
'class': self.get_class(),
'parentclass': self.get_class(parent=True),
'parentname': self.get_group(self.parent).name,
'field': self.get_field(),
'upper': self.name.upper(),
'lower': name.lower()
}
def pytype(self, drtype):
return {'str': str, 'int': int, 'double': float, 'bool': bool}[drtype]
def check_type(self, param, field):
drtype = param['type']
name = param['name']
value = param[field]
pytype = self.pytype(drtype)
if pytype != type(value) and (pytype != float or type(value) != int):
raise TypeError("'%s' has type %s, but %s is %s" % (name, drtype, field, repr(value)))
param[field] = pytype(value)
def fill_type(self, param):
param['ctype'] = {'str': 'std::string', 'int': 'int', 'double': 'double', 'bool': 'bool'}[param['type']]
param['cconsttype'] = {'str': 'const char * const', 'int': 'const int', 'double': 'const double', 'bool': 'const bool'}[param['type']]
def check_type_fill_default(self, param, field, default):
value = param[field]
# If no value, use default.
if value is None:
param[field] = default
return
# Check that value type is compatible with type.
self.check_type(param, field)
def __init__(self):
global id
self.group = self.Group(self, "Default", "", True, 0, 0)
id = 1
self.constants = []
if len(sys.argv) < 5:
raise SystemExit(textwrap.dedent("""\
ahhhh! Unexpected command line syntax!
Are you trying to call a dynamic_reconfigure configuration generation script
directly? When you are using dynamic_reconfigure with python, you don't ever
need to invoke the configuration generator script yourself; it loads
automatically. If you are using dynamic_reconfigure from C++, you need to
add a call to generate_dynamic_reconfigure_options() in your CMakeLists.txt
For an example, see http://wiki.ros.org/dynamic_reconfigure/Tutorials
Have a nice day
"""))
self.dynconfpath = sys.argv[1] # FIXME this is awful
self.binary_dir = sys.argv[2]
self.cpp_gen_dir = sys.argv[3]
self.py_gen_dir = sys.argv[4]
def const(self, name, type, value, descr):
newconst = {
'name': name,
'type': type,
'value': value,
'srcline': inspect.currentframe().f_back.f_lineno,
'srcfile': os.path.basename(inspect.getsourcefile(inspect.currentframe().f_back.f_code)),
'description': descr
}
check_description(descr)
self.fill_type(newconst)
self.check_type(newconst, 'value')
self.constants.append(newconst)
return newconst # So that we can assign the value easily.
def enum(self, constants, description):
if len(set(const['type'] for const in constants)) != 1:
raise Exception("Inconsistent types in enum!")
check_description(description)
return repr({'enum': constants, 'enum_description': description})
# Wrap add and add_group for the default group
def add(self, name, paramtype, level, description, default=None, min=None, max=None, edit_method=""):
self.group.add(name, paramtype, level, description, default, min, max, edit_method)
def add_group(self, name, type="", state=True):
return self.group.add_group(name, type=type, state=state)
def mkdirabs(self, path):
if os.path.isdir(path):
pass
elif os.path.isfile(path):
raise OSError("Error creating directory %s, a file with the same name exists" % path)
else:
try:
os.makedirs(path)
except OSError:
if not os.path.isdir(path):
raise
def generate(self, pkgname, nodename, name):
"""
name must match the first part of the configuration file.
e.g. given Tutorials.cfg, name must be Tutorials
"""
try:
if sys.modules['__main__']._DYNAMIC_RECONFIGURE_GENERATING_DEPENDENCIES:
# Done this way because importing this module from gendeps
# causes imports of dynamic_reconfigure.msg to fail from at
# least some .cfg files. (Not sure why)
return
except Exception:
pass
try:
self.pkgname = pkgname
self.name = name
self.nodename = nodename
self.msgname = name + "Config"
# print('**************************************************************')
# print('**************************************************************')
print(Template("Generating reconfiguration files for $name in $pkgname").
substitute(name=self.name, pkgname=self.pkgname))
# print('**************************************************************')
# print('**************************************************************')
self.generatecpp()
self.generatedoc()
self.generatewikidoc()
self.generateusage()
self.generatepy()
# self.deleteobsolete()
except Exception:
print("Error building srv %s.srv" % name)
import traceback
traceback.print_exc()
exit(1)
def generatewikidoc(self):
self.mkdirabs(os.path.join(self.binary_dir, "docs"))
with open(os.path.join(self.binary_dir, "docs", self.msgname + ".wikidoc"), 'w') as f:
print(textwrap.dedent("""\
# Autogenerated param section. Do not hand edit.
param {
group.0 {
name=Dynamically Reconfigurable Parameters
desc=See the [[dynamic_reconfigure]] package for details on dynamically reconfigurable parameters."""
), file=f)
i = -1
for param in self.group.get_parameters():
i = i + 1
range = ""
try:
enum = eval(param['edit_method'])['enum']
range = ", ".join(Template("$name ($value): $description").substitute(const) for const in enum)
range = "Possible values are: " + range
except Exception:
if param['type'] == int_t or param['type'] == double_t:
range = Template("Range: $min to $max").substitute(param)
print(Template(textwrap.dedent("""\
$i.name= ~$name
$i.default= $default
$i.type= $type
$i.desc=$description $range"""
)).substitute(param, range=range, i=i), file=f)
print("}\n}\n# End of autogenerated section. You may edit below.", file=f)
def generatedoc(self):
self.mkdirabs("docs")
dir_path = os.path.join(self.binary_dir, "docs")
self.mkdirabs(dir_path)
with open(os.path.join(dir_path, self.msgname + ".dox"), 'w') as f:
# print("/**", file=f)
print("\\subsubsection parameters ROS parameters", file=f)
print("", file=f)
print("Reads and maintains the following parameters on the ROS server", file=f)
print("", file=f)
for param in self.group.get_parameters():
print(Template("- \\b \"~$name\" : \\b [$type] $description min: $min, default: $default, max: $max").substitute(param), file=f)
print("", file=f)
# print("*/", file=f)
def generateusage(self):
self.mkdirabs("docs")
with open(os.path.join(self.binary_dir, "docs", self.msgname + "-usage.dox"), 'w') as f:
# print("/**", file=f)
print("\\subsubsection usage Usage", file=f)
print('\\verbatim', file=f)
print(Template('<node name="$nodename" pkg="$pkgname" type="$nodename">').substitute(
pkgname=self.pkgname, nodename=self.nodename), file=f)
for param in self.group.get_parameters():
print(Template(' <param name="$name" type="$type" value="$default" />').substitute(param), file=f)
print('</node>', file=f)
print('\\endverbatim', file=f)
print("", file=f)
# print("*/", file=f)
def crepr(self, param, val):
type = param["type"]
if type == 'str':
return '"' + val + '"'
if type == 'int':
return str(val)
if type == 'double':
if val == float('inf'):
return 'std::numeric_limits<double>::infinity()'
elif val == -float('inf'):
return '-std::numeric_limits<double>::infinity()'
else:
return str(val)
if type == 'bool':
return {True: 1, False: 0}[val]
raise TypeError(type)
# if type == 'string':
# return '"' + val + '"'
# if 'uint' in type:
# return str(val) + 'ULL'
# if 'int' in type:
# return str(val) + 'LL'
# if 'time' in type:
# return 'ros::Time('+str(val)+')'
# if 'duration' in type:
# return 'ros::Duration('+str(val)+')'
# if 'float' in types:
# return str(val)
def appendline(self, list, text, param, value=None):
if value is None:
val = ""
else:
val = self.crepr(param, param[value])
list.append(Template('${doline} $srcline "$srcfile"\n ' + text).safe_substitute(param, v=val, doline=LINEDEBUG, configname=self.name))
def appendgroup(self, list, group):
subgroups = []
for g in group.groups:
self.appendgroup(subgroups, g)
setters = []
params = []
for p in group.parameters:
setters.append(Template(" if(\"${name}\"==(*_i)->name){${name} = boost::any_cast<${ctype}>(val);}").substitute(p))
params.append(Template("${ctype} ${name};").substitute(p))
subgroups = "\n".join(subgroups)
setters = "\n".join(setters)
params = "\n".join(params)
grouptemplate = open(os.path.join(self.dynconfpath, "templates", "GroupClass.h.template")).read()
list.append(Template(grouptemplate).safe_substitute(group.to_dict(), subgroups=subgroups, setters=setters, params=params, configname=self.name))
def generatecpp(self):
# Read the configuration manipulator template and insert line numbers and file name into template.
templatefile = os.path.join(self.dynconfpath, "templates", "ConfigType.h.template")
templatelines = []
templatefilesafe = "ConfigType.h.template"
curline = 1
with open(templatefile) as f:
for line in f:
curline = curline + 1
templatelines.append(Template(line).safe_substitute(linenum=curline, filename=templatefilesafe))
template = ''.join(templatelines)
# Write the configuration manipulator.
self.mkdirabs(self.cpp_gen_dir)
paramdescr = []
groups = []
members = []
constants = []
for const in self.constants:
self.appendline(constants, "${cconsttype} ${configname}_${name} = $v;", const, "value")
def write_params(group):
if group.id == 0:
paramdescr.append(Template("${configname}Config::GroupDescription<${configname}Config::${class}, ${configname}Config> ${name}(\"${name}\", \"${type}\", ${parent}, ${id}, ${cstate}, &${configname}Config::${lower});").safe_substitute(group.to_dict(), configname=self.name))
else:
paramdescr.append(Template("${configname}Config::GroupDescription<${configname}Config::${class}, ${configname}Config::${parentclass}> ${name}(\"${name}\", \"${type}\", ${parent}, ${id}, ${cstate}, &${configname}Config::${field});").safe_substitute(group.to_dict(), configname=self.name))
for param in group.parameters:
self.appendline(members, "${ctype} ${name};", param)
self.appendline(paramdescr, "__min__.${name} = $v;", param, "min")
self.appendline(paramdescr, "__max__.${name} = $v;", param, "max")
self.appendline(paramdescr, "__default__.${name} = $v;", param, "default")
self.appendline(
paramdescr,
group.to_dict()['name'] +
".abstract_parameters.push_back(${configname}Config::AbstractParamDescriptionConstPtr(new ${configname}Config::ParamDescription<${ctype}>(\"${name}\", \"${type}\", ${level}, "
"\"${description}\", \"${edit_method}\", &${configname}Config::${name})));", param)
self.appendline(
paramdescr,
"__param_descriptions__.push_back(${configname}Config::AbstractParamDescriptionConstPtr(new ${configname}Config::ParamDescription<${ctype}>(\"${name}\", \"${type}\", ${level}, "
"\"${description}\", \"${edit_method}\", &${configname}Config::${name})));", param)
for g in group.groups:
write_params(g)
self.appendline(paramdescr, "${name}.convertParams();", group.to_dict())
if group.id == 0:
self.appendline(paramdescr, "__group_descriptions__.push_back(${configname}Config::AbstractGroupDescriptionConstPtr(new ${configname}Config::GroupDescription<${configname}Config::${class}, ${configname}Config>(${name})));", group.to_dict())
else:
self.appendline(paramdescr, "${parentname}.groups.push_back(${configname}Config::AbstractGroupDescriptionConstPtr(new ${configname}Config::GroupDescription<${configname}Config::${class}, ${configname}Config::${parentclass}>(${name})));", group.to_dict())
self.appendline(paramdescr, "__group_descriptions__.push_back(${configname}Config::AbstractGroupDescriptionConstPtr(new ${configname}Config::GroupDescription<${configname}Config::${class}, ${configname}Config::${parentclass}>(${name})));", group.to_dict())
write_params(self.group)
self.appendgroup(groups, self.group)
paramdescr = '\n'.join(paramdescr)
members = '\n'.join(members)
constants = '\n'.join(constants)
groups = '\n'.join(groups)
with open(os.path.join(self.cpp_gen_dir, self.name + "Config.h"), 'w') as f:
f.write(Template(template).substitute(
uname=self.name.upper(),
configname=self.name, pkgname=self.pkgname, paramdescr=paramdescr,
members=members, groups=groups, doline=LINEDEBUG, constants=constants))
print("Wrote header file in " + os.path.join(self.cpp_gen_dir, self.name + "Config.h"))
# def deleteoneobsolete(self, file):
# try:
# os.unlink(file)
# except OSError:
# pass
# def deleteobsolete(self): ### @todo remove this after the transition period.
# self.deleteoneobsolete(os.path.join(self.pkgpath, "msg", self.msgname+".msg"))
# self.deleteoneobsolete(os.path.join("msg", "cpp", self.pkgpath, "msg", self.msgname+".msg"))
# self.deleteoneobsolete(os.path.join(self.pkgpath, "srv", "Get"+self.msgname+".srv"))
# self.deleteoneobsolete(os.path.join("srv", "cpp", self.pkgpath, "srv", "Get"+self.msgname+".srv"))
# self.deleteoneobsolete(os.path.join(self.pkgpath, "srv", "Set"+self.msgname+".srv"))
# self.deleteoneobsolete(os.path.join("srv", "cpp", self.pkgpath, "srv", "Set"+self.msgname+".srv"))
# def msgtype(self, type):
# return { 'int' : 'int32', 'bool' : 'int8', 'str' : 'string', 'double' : 'float64' }[type]
#
# def generatemsg(self):
# self.mkdir("msg")
# f = open(os.path.join(self.pkgpath, "msg", self.msgname+".msg"), 'w')
# print("# This is an autogerenated file. Please do not edit.", file=f)
# print("", file=f)
# for param in self.parameters:
# print(Template("$type $name # $description").substitute(param, type=self.msgtype(param['type'])), file=f)
# f.close()
#
# def generategetsrv(self):
# self.mkdir("srv")
# f = open(os.path.join(self.pkgpath, "srv", "Get"+self.msgname+".srv"), 'w')
# print("# This is an autogerenated file. Please do not edit.", file=f)
# print("", file=f)
# print("---", file=f)
# print(self.msgname, "config", "# Current configuration of node.", file=f)
# print(self.msgname, "defaults", "# Minimum values where appropriate.", file=f)
# print(self.msgname, "min", "# Minimum values where appropriate.", file=f)
# print(self.msgname, "max", "# Maximum values where appropriate.", file=f)
# f.close()
#
# def generatesetsrv(self):
# self.mkdir("srv")
# f = open(os.path.join(self.pkgpath, "srv", "Set"+self.msgname+".srv"), 'w')
# print("# This is an autogerenated file. Please do not edit.", file=f)
# print(self.msgname, "config", "# Requested node configuration.", file=f)
# print("---", file=f)
# print(self.msgname, "config", "# What the node's configuration was actually set to.", file=f)
# f.close()
def _rreplace_str_with_val_in_dict(self, orig_dict, old_str, new_val):
# Recursively replace any match of old_str by new_val in a dictionary
for k, v in orig_dict.items():
if isinstance(v, dict):
self._rreplace_str_with_val_in_dict(v, old_str, new_val)
elif isinstance(v, list):
for idx, i in enumerate(v):
if isinstance(i, str) and i == old_str:
orig_dict[k][idx] = new_val
elif isinstance(i, dict):
self._rreplace_str_with_val_in_dict(i, old_str, new_val)
elif isinstance(v, str) and v == old_str:
orig_dict[k] = new_val
return orig_dict
def replace_infinity(self, config_dict):
config_dict = self._rreplace_str_with_val_in_dict(config_dict, '-std::numeric_limits<double>::infinity()', -float("inf"))
config_dict = self._rreplace_str_with_val_in_dict(config_dict, 'std::numeric_limits<double>::infinity()', float("inf"))
return config_dict
def generatepy(self):
# Read the configuration manipulator template and insert line numbers and file name into template.
templatefile = os.path.join(self.dynconfpath, "templates", "ConfigType.py.template")
with open(templatefile) as f:
template = f.read()
# Write the configuration manipulator.
self.mkdirabs(os.path.join(self.py_gen_dir, "cfg"))
with open(os.path.join(self.py_gen_dir, "cfg", self.name + "Config.py"), 'w') as f:
pycfgdata = self.replace_infinity(self.group.to_dict())
f.write(Template(template).substitute(
name=self.name,
pkgname=self.pkgname, pycfgdata=pycfgdata))
for const in self.constants:
f.write(Template("${configname}_${name} = $v\n").substitute(
const, v=repr(const['value']),
configname=self.name))
with open(os.path.join(self.py_gen_dir, "cfg", "__init__.py"), 'a'):
pass
|