SimObject.py (10267:ed97f6f2ed7a) SimObject.py (10380:ec1af95a2958)
1# Copyright (c) 2012 ARM Limited
2# All rights reserved.
3#
4# The license below extends only to copyright in the software and shall
5# not be construed as granting a license to any other intellectual
6# property including but not limited to intellectual property relating
7# to a hardware implementation of the functionality of the software
8# licensed hereunder. You may use the software subject to the license
9# terms below provided that you ensure that this notice is replicated
10# unmodified and in its entirety in all distributions of the software,
11# modified or unmodified, in source code or in binary form.
12#
13# Copyright (c) 2004-2006 The Regents of The University of Michigan
14# Copyright (c) 2010-20013 Advanced Micro Devices, Inc.
15# Copyright (c) 2013 Mark D. Hill and David A. Wood
16# All rights reserved.
17#
18# Redistribution and use in source and binary forms, with or without
19# modification, are permitted provided that the following conditions are
20# met: redistributions of source code must retain the above copyright
21# notice, this list of conditions and the following disclaimer;
22# redistributions in binary form must reproduce the above copyright
23# notice, this list of conditions and the following disclaimer in the
24# documentation and/or other materials provided with the distribution;
25# neither the name of the copyright holders nor the names of its
26# contributors may be used to endorse or promote products derived from
27# this software without specific prior written permission.
28#
29# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
30# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
31# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
32# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
33# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
34# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
35# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
36# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
37# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
38# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
39# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
40#
41# Authors: Steve Reinhardt
42# Nathan Binkert
43# Andreas Hansson
44
45import sys
46from types import FunctionType, MethodType, ModuleType
47
48import m5
49from m5.util import *
50
51# Have to import params up top since Param is referenced on initial
52# load (when SimObject class references Param to create a class
53# variable, the 'name' param)...
54from m5.params import *
55# There are a few things we need that aren't in params.__all__ since
56# normal users don't need them
57from m5.params import ParamDesc, VectorParamDesc, \
58 isNullPointer, SimObjectVector, Port
59
60from m5.proxy import *
61from m5.proxy import isproxy
62
63#####################################################################
64#
65# M5 Python Configuration Utility
66#
67# The basic idea is to write simple Python programs that build Python
68# objects corresponding to M5 SimObjects for the desired simulation
69# configuration. For now, the Python emits a .ini file that can be
70# parsed by M5. In the future, some tighter integration between M5
71# and the Python interpreter may allow bypassing the .ini file.
72#
73# Each SimObject class in M5 is represented by a Python class with the
74# same name. The Python inheritance tree mirrors the M5 C++ tree
75# (e.g., SimpleCPU derives from BaseCPU in both cases, and all
76# SimObjects inherit from a single SimObject base class). To specify
77# an instance of an M5 SimObject in a configuration, the user simply
78# instantiates the corresponding Python object. The parameters for
79# that SimObject are given by assigning to attributes of the Python
80# object, either using keyword assignment in the constructor or in
81# separate assignment statements. For example:
82#
83# cache = BaseCache(size='64KB')
84# cache.hit_latency = 3
85# cache.assoc = 8
86#
87# The magic lies in the mapping of the Python attributes for SimObject
88# classes to the actual SimObject parameter specifications. This
89# allows parameter validity checking in the Python code. Continuing
90# the example above, the statements "cache.blurfl=3" or
91# "cache.assoc='hello'" would both result in runtime errors in Python,
92# since the BaseCache object has no 'blurfl' parameter and the 'assoc'
93# parameter requires an integer, respectively. This magic is done
94# primarily by overriding the special __setattr__ method that controls
95# assignment to object attributes.
96#
97# Once a set of Python objects have been instantiated in a hierarchy,
98# calling 'instantiate(obj)' (where obj is the root of the hierarchy)
99# will generate a .ini file.
100#
101#####################################################################
102
103# list of all SimObject classes
104allClasses = {}
105
106# dict to look up SimObjects based on path
107instanceDict = {}
108
109# Did any of the SimObjects lack a header file?
110noCxxHeader = False
111
112def public_value(key, value):
113 return key.startswith('_') or \
114 isinstance(value, (FunctionType, MethodType, ModuleType,
115 classmethod, type))
116
117# The metaclass for SimObject. This class controls how new classes
118# that derive from SimObject are instantiated, and provides inherited
119# class behavior (just like a class controls how instances of that
120# class are instantiated, and provides inherited instance behavior).
121class MetaSimObject(type):
122 # Attributes that can be set only at initialization time
123 init_keywords = { 'abstract' : bool,
124 'cxx_class' : str,
125 'cxx_type' : str,
126 'cxx_header' : str,
127 'type' : str,
128 'cxx_bases' : list }
129 # Attributes that can be set any time
130 keywords = { 'check' : FunctionType }
131
132 # __new__ is called before __init__, and is where the statements
133 # in the body of the class definition get loaded into the class's
134 # __dict__. We intercept this to filter out parameter & port assignments
135 # and only allow "private" attributes to be passed to the base
136 # __new__ (starting with underscore).
137 def __new__(mcls, name, bases, dict):
138 assert name not in allClasses, "SimObject %s already present" % name
139
140 # Copy "private" attributes, functions, and classes to the
141 # official dict. Everything else goes in _init_dict to be
142 # filtered in __init__.
143 cls_dict = {}
144 value_dict = {}
145 for key,val in dict.items():
146 if public_value(key, val):
147 cls_dict[key] = val
148 else:
149 # must be a param/port setting
150 value_dict[key] = val
151 if 'abstract' not in value_dict:
152 value_dict['abstract'] = False
153 if 'cxx_bases' not in value_dict:
154 value_dict['cxx_bases'] = []
155 cls_dict['_value_dict'] = value_dict
156 cls = super(MetaSimObject, mcls).__new__(mcls, name, bases, cls_dict)
157 if 'type' in value_dict:
158 allClasses[name] = cls
159 return cls
160
161 # subclass initialization
162 def __init__(cls, name, bases, dict):
163 # calls type.__init__()... I think that's a no-op, but leave
164 # it here just in case it's not.
165 super(MetaSimObject, cls).__init__(name, bases, dict)
166
167 # initialize required attributes
168
169 # class-only attributes
170 cls._params = multidict() # param descriptions
171 cls._ports = multidict() # port descriptions
172
173 # class or instance attributes
174 cls._values = multidict() # param values
175 cls._hr_values = multidict() # human readable param values
176 cls._children = multidict() # SimObject children
177 cls._port_refs = multidict() # port ref objects
178 cls._instantiated = False # really instantiated, cloned, or subclassed
179
180 # We don't support multiple inheritance of sim objects. If you want
181 # to, you must fix multidict to deal with it properly. Non sim-objects
182 # are ok, though
183 bTotal = 0
184 for c in bases:
185 if isinstance(c, MetaSimObject):
186 bTotal += 1
187 if bTotal > 1:
188 raise TypeError, "SimObjects do not support multiple inheritance"
189
190 base = bases[0]
191
192 # Set up general inheritance via multidicts. A subclass will
193 # inherit all its settings from the base class. The only time
194 # the following is not true is when we define the SimObject
195 # class itself (in which case the multidicts have no parent).
196 if isinstance(base, MetaSimObject):
197 cls._base = base
198 cls._params.parent = base._params
199 cls._ports.parent = base._ports
200 cls._values.parent = base._values
201 cls._hr_values.parent = base._hr_values
202 cls._children.parent = base._children
203 cls._port_refs.parent = base._port_refs
204 # mark base as having been subclassed
205 base._instantiated = True
206 else:
207 cls._base = None
208
209 # default keyword values
210 if 'type' in cls._value_dict:
211 if 'cxx_class' not in cls._value_dict:
212 cls._value_dict['cxx_class'] = cls._value_dict['type']
213
214 cls._value_dict['cxx_type'] = '%s *' % cls._value_dict['cxx_class']
215
216 if 'cxx_header' not in cls._value_dict:
217 global noCxxHeader
218 noCxxHeader = True
219 warn("No header file specified for SimObject: %s", name)
220
221 # Export methods are automatically inherited via C++, so we
222 # don't want the method declarations to get inherited on the
223 # python side (and thus end up getting repeated in the wrapped
224 # versions of derived classes). The code below basicallly
225 # suppresses inheritance by substituting in the base (null)
226 # versions of these methods unless a different version is
227 # explicitly supplied.
228 for method_name in ('export_methods', 'export_method_cxx_predecls',
229 'export_method_swig_predecls'):
230 if method_name not in cls.__dict__:
231 base_method = getattr(MetaSimObject, method_name)
232 m = MethodType(base_method, cls, MetaSimObject)
233 setattr(cls, method_name, m)
234
235 # Now process the _value_dict items. They could be defining
236 # new (or overriding existing) parameters or ports, setting
237 # class keywords (e.g., 'abstract'), or setting parameter
238 # values or port bindings. The first 3 can only be set when
239 # the class is defined, so we handle them here. The others
240 # can be set later too, so just emulate that by calling
241 # setattr().
242 for key,val in cls._value_dict.items():
243 # param descriptions
244 if isinstance(val, ParamDesc):
245 cls._new_param(key, val)
246
247 # port objects
248 elif isinstance(val, Port):
249 cls._new_port(key, val)
250
251 # init-time-only keywords
252 elif cls.init_keywords.has_key(key):
253 cls._set_keyword(key, val, cls.init_keywords[key])
254
255 # default: use normal path (ends up in __setattr__)
256 else:
257 setattr(cls, key, val)
258
259 def _set_keyword(cls, keyword, val, kwtype):
260 if not isinstance(val, kwtype):
261 raise TypeError, 'keyword %s has bad type %s (expecting %s)' % \
262 (keyword, type(val), kwtype)
263 if isinstance(val, FunctionType):
264 val = classmethod(val)
265 type.__setattr__(cls, keyword, val)
266
267 def _new_param(cls, name, pdesc):
268 # each param desc should be uniquely assigned to one variable
269 assert(not hasattr(pdesc, 'name'))
270 pdesc.name = name
271 cls._params[name] = pdesc
272 if hasattr(pdesc, 'default'):
273 cls._set_param(name, pdesc.default, pdesc)
274
275 def _set_param(cls, name, value, param):
276 assert(param.name == name)
277 try:
278 hr_value = value
279 value = param.convert(value)
280 except Exception, e:
281 msg = "%s\nError setting param %s.%s to %s\n" % \
282 (e, cls.__name__, name, value)
283 e.args = (msg, )
284 raise
285 cls._values[name] = value
286 # if param value is a SimObject, make it a child too, so that
287 # it gets cloned properly when the class is instantiated
288 if isSimObjectOrVector(value) and not value.has_parent():
289 cls._add_cls_child(name, value)
290 # update human-readable values of the param if it has a literal
291 # value and is not an object or proxy.
292 if not (isSimObjectOrVector(value) or\
293 isinstance(value, m5.proxy.BaseProxy)):
294 cls._hr_values[name] = hr_value
295
296 def _add_cls_child(cls, name, child):
297 # It's a little funky to have a class as a parent, but these
298 # objects should never be instantiated (only cloned, which
299 # clears the parent pointer), and this makes it clear that the
300 # object is not an orphan and can provide better error
301 # messages.
302 child.set_parent(cls, name)
303 cls._children[name] = child
304
305 def _new_port(cls, name, port):
306 # each port should be uniquely assigned to one variable
307 assert(not hasattr(port, 'name'))
308 port.name = name
309 cls._ports[name] = port
310
311 # same as _get_port_ref, effectively, but for classes
312 def _cls_get_port_ref(cls, attr):
313 # Return reference that can be assigned to another port
314 # via __setattr__. There is only ever one reference
315 # object per port, but we create them lazily here.
316 ref = cls._port_refs.get(attr)
317 if not ref:
318 ref = cls._ports[attr].makeRef(cls)
319 cls._port_refs[attr] = ref
320 return ref
321
322 # Set attribute (called on foo.attr = value when foo is an
323 # instance of class cls).
324 def __setattr__(cls, attr, value):
325 # normal processing for private attributes
326 if public_value(attr, value):
327 type.__setattr__(cls, attr, value)
328 return
329
330 if cls.keywords.has_key(attr):
331 cls._set_keyword(attr, value, cls.keywords[attr])
332 return
333
334 if cls._ports.has_key(attr):
335 cls._cls_get_port_ref(attr).connect(value)
336 return
337
338 if isSimObjectOrSequence(value) and cls._instantiated:
339 raise RuntimeError, \
340 "cannot set SimObject parameter '%s' after\n" \
341 " class %s has been instantiated or subclassed" \
342 % (attr, cls.__name__)
343
344 # check for param
345 param = cls._params.get(attr)
346 if param:
347 cls._set_param(attr, value, param)
348 return
349
350 if isSimObjectOrSequence(value):
351 # If RHS is a SimObject, it's an implicit child assignment.
352 cls._add_cls_child(attr, coerceSimObjectOrVector(value))
353 return
354
355 # no valid assignment... raise exception
356 raise AttributeError, \
357 "Class %s has no parameter \'%s\'" % (cls.__name__, attr)
358
359 def __getattr__(cls, attr):
360 if attr == 'cxx_class_path':
361 return cls.cxx_class.split('::')
362
363 if attr == 'cxx_class_name':
364 return cls.cxx_class_path[-1]
365
366 if attr == 'cxx_namespaces':
367 return cls.cxx_class_path[:-1]
368
369 if cls._values.has_key(attr):
370 return cls._values[attr]
371
372 if cls._children.has_key(attr):
373 return cls._children[attr]
374
375 raise AttributeError, \
376 "object '%s' has no attribute '%s'" % (cls.__name__, attr)
377
378 def __str__(cls):
379 return cls.__name__
380
381 # See ParamValue.cxx_predecls for description.
382 def cxx_predecls(cls, code):
383 code('#include "params/$cls.hh"')
384
385 # See ParamValue.swig_predecls for description.
386 def swig_predecls(cls, code):
387 code('%import "python/m5/internal/param_$cls.i"')
388
389 # Hook for exporting additional C++ methods to Python via SWIG.
390 # Default is none, override using @classmethod in class definition.
391 def export_methods(cls, code):
392 pass
393
394 # Generate the code needed as a prerequisite for the C++ methods
395 # exported via export_methods() to be compiled in the _wrap.cc
396 # file. Typically generates one or more #include statements. If
397 # any methods are exported, typically at least the C++ header
398 # declaring the relevant SimObject class must be included.
399 def export_method_cxx_predecls(cls, code):
400 pass
401
402 # Generate the code needed as a prerequisite for the C++ methods
403 # exported via export_methods() to be processed by SWIG.
404 # Typically generates one or more %include or %import statements.
405 # If any methods are exported, typically at least the C++ header
406 # declaring the relevant SimObject class must be included.
407 def export_method_swig_predecls(cls, code):
408 pass
409
410 # Generate the declaration for this object for wrapping with SWIG.
411 # Generates code that goes into a SWIG .i file. Called from
412 # src/SConscript.
413 def swig_decl(cls, code):
414 class_path = cls.cxx_class.split('::')
415 classname = class_path[-1]
416 namespaces = class_path[:-1]
417
418 # The 'local' attribute restricts us to the params declared in
419 # the object itself, not including inherited params (which
420 # will also be inherited from the base class's param struct
421 # here).
422 params = cls._params.local.values()
423 ports = cls._ports.local
424
425 code('%module(package="m5.internal") param_$cls')
426 code()
427 code('%{')
428 code('#include "sim/sim_object.hh"')
429 code('#include "params/$cls.hh"')
430 for param in params:
431 param.cxx_predecls(code)
432 code('#include "${{cls.cxx_header}}"')
433 cls.export_method_cxx_predecls(code)
434 code('''\
435/**
436 * This is a workaround for bug in swig. Prior to gcc 4.6.1 the STL
437 * headers like vector, string, etc. used to automatically pull in
438 * the cstddef header but starting with gcc 4.6.1 they no longer do.
439 * This leads to swig generated a file that does not compile so we
440 * explicitly include cstddef. Additionally, including version 2.0.4,
441 * swig uses ptrdiff_t without the std:: namespace prefix which is
442 * required with gcc 4.6.1. We explicitly provide access to it.
443 */
444#include <cstddef>
445using std::ptrdiff_t;
446''')
447 code('%}')
448 code()
449
450 for param in params:
451 param.swig_predecls(code)
452 cls.export_method_swig_predecls(code)
453
454 code()
455 if cls._base:
456 code('%import "python/m5/internal/param_${{cls._base}}.i"')
457 code()
458
459 for ns in namespaces:
460 code('namespace $ns {')
461
462 if namespaces:
463 code('// avoid name conflicts')
464 sep_string = '_COLONS_'
465 flat_name = sep_string.join(class_path)
466 code('%rename($flat_name) $classname;')
467
468 code()
469 code('// stop swig from creating/wrapping default ctor/dtor')
470 code('%nodefault $classname;')
471 code('class $classname')
472 if cls._base:
473 bases = [ cls._base.cxx_class ] + cls.cxx_bases
474 else:
475 bases = cls.cxx_bases
476 base_first = True
477 for base in bases:
478 if base_first:
479 code(' : public ${{base}}')
480 base_first = False
481 else:
482 code(' , public ${{base}}')
483
484 code('{')
485 code(' public:')
486 cls.export_methods(code)
487 code('};')
488
489 for ns in reversed(namespaces):
490 code('} // namespace $ns')
491
492 code()
493 code('%include "params/$cls.hh"')
494
495
496 # Generate the C++ declaration (.hh file) for this SimObject's
497 # param struct. Called from src/SConscript.
498 def cxx_param_decl(cls, code):
499 # The 'local' attribute restricts us to the params declared in
500 # the object itself, not including inherited params (which
501 # will also be inherited from the base class's param struct
502 # here).
503 params = cls._params.local.values()
504 ports = cls._ports.local
505 try:
506 ptypes = [p.ptype for p in params]
507 except:
508 print cls, p, p.ptype_str
509 print params
510 raise
511
512 class_path = cls._value_dict['cxx_class'].split('::')
513
514 code('''\
515#ifndef __PARAMS__${cls}__
516#define __PARAMS__${cls}__
517
518''')
519
520 # A forward class declaration is sufficient since we are just
521 # declaring a pointer.
522 for ns in class_path[:-1]:
523 code('namespace $ns {')
524 code('class $0;', class_path[-1])
525 for ns in reversed(class_path[:-1]):
526 code('} // namespace $ns')
527 code()
528
529 # The base SimObject has a couple of params that get
530 # automatically set from Python without being declared through
531 # the normal Param mechanism; we slip them in here (needed
532 # predecls now, actual declarations below)
533 if cls == SimObject:
534 code('''
535#ifndef PY_VERSION
536struct PyObject;
537#endif
538
539#include <string>
540''')
541 for param in params:
542 param.cxx_predecls(code)
543 for port in ports.itervalues():
544 port.cxx_predecls(code)
545 code()
546
547 if cls._base:
548 code('#include "params/${{cls._base.type}}.hh"')
549 code()
550
551 for ptype in ptypes:
552 if issubclass(ptype, Enum):
553 code('#include "enums/${{ptype.__name__}}.hh"')
554 code()
555
556 # now generate the actual param struct
557 code("struct ${cls}Params")
558 if cls._base:
559 code(" : public ${{cls._base.type}}Params")
560 code("{")
561 if not hasattr(cls, 'abstract') or not cls.abstract:
562 if 'type' in cls.__dict__:
563 code(" ${{cls.cxx_type}} create();")
564
565 code.indent()
566 if cls == SimObject:
567 code('''
568 SimObjectParams() {}
569 virtual ~SimObjectParams() {}
570
571 std::string name;
572 PyObject *pyobj;
573 ''')
574 for param in params:
575 param.cxx_decl(code)
576 for port in ports.itervalues():
577 port.cxx_decl(code)
578
579 code.dedent()
580 code('};')
581
582 code()
583 code('#endif // __PARAMS__${cls}__')
584 return code
585
586
587# This *temporary* definition is required to support calls from the
588# SimObject class definition to the MetaSimObject methods (in
589# particular _set_param, which gets called for parameters with default
590# values defined on the SimObject class itself). It will get
591# overridden by the permanent definition (which requires that
592# SimObject be defined) lower in this file.
593def isSimObjectOrVector(value):
594 return False
595
596# This class holds information about each simobject parameter
597# that should be displayed on the command line for use in the
598# configuration system.
599class ParamInfo(object):
600 def __init__(self, type, desc, type_str, example, default_val, access_str):
601 self.type = type
602 self.desc = desc
603 self.type_str = type_str
604 self.example_str = example
605 self.default_val = default_val
606 # The string representation used to access this param through python.
607 # The method to access this parameter presented on the command line may
608 # be different, so this needs to be stored for later use.
609 self.access_str = access_str
610 self.created = True
611
612 # Make it so we can only set attributes at initialization time
613 # and effectively make this a const object.
614 def __setattr__(self, name, value):
615 if not "created" in self.__dict__:
616 self.__dict__[name] = value
617
618# The SimObject class is the root of the special hierarchy. Most of
619# the code in this class deals with the configuration hierarchy itself
620# (parent/child node relationships).
621class SimObject(object):
622 # Specify metaclass. Any class inheriting from SimObject will
623 # get this metaclass.
624 __metaclass__ = MetaSimObject
625 type = 'SimObject'
626 abstract = True
627
628 cxx_header = "sim/sim_object.hh"
629 cxx_bases = [ "Drainable", "Serializable" ]
630 eventq_index = Param.UInt32(Parent.eventq_index, "Event Queue Index")
631
632 @classmethod
633 def export_method_swig_predecls(cls, code):
634 code('''
635%include <std_string.i>
636
637%import "python/swig/drain.i"
638%import "python/swig/serialize.i"
639''')
640
641 @classmethod
642 def export_methods(cls, code):
643 code('''
644 void init();
645 void loadState(Checkpoint *cp);
646 void initState();
647 void regStats();
648 void resetStats();
649 void regProbePoints();
650 void regProbeListeners();
651 void startup();
652''')
653
654 # Returns a dict of all the option strings that can be
655 # generated as command line options for this simobject instance
656 # by tracing all reachable params in the top level instance and
657 # any children it contains.
658 def enumerateParams(self, flags_dict = {},
659 cmd_line_str = "", access_str = ""):
660 if hasattr(self, "_paramEnumed"):
661 print "Cycle detected enumerating params"
662 else:
663 self._paramEnumed = True
664 # Scan the children first to pick up all the objects in this SimObj
665 for keys in self._children:
666 child = self._children[keys]
667 next_cmdline_str = cmd_line_str + keys
668 next_access_str = access_str + keys
669 if not isSimObjectVector(child):
670 next_cmdline_str = next_cmdline_str + "."
671 next_access_str = next_access_str + "."
672 flags_dict = child.enumerateParams(flags_dict,
673 next_cmdline_str,
674 next_access_str)
675
676 # Go through the simple params in the simobject in this level
677 # of the simobject hierarchy and save information about the
678 # parameter to be used for generating and processing command line
679 # options to the simulator to set these parameters.
680 for keys,values in self._params.items():
681 if values.isCmdLineSettable():
682 type_str = ''
683 ex_str = values.example_str()
684 ptype = None
685 if isinstance(values, VectorParamDesc):
686 type_str = 'Vector_%s' % values.ptype_str
687 ptype = values
688 else:
689 type_str = '%s' % values.ptype_str
690 ptype = values.ptype
691
692 if keys in self._hr_values\
693 and keys in self._values\
694 and not isinstance(self._values[keys], m5.proxy.BaseProxy):
695 cmd_str = cmd_line_str + keys
696 acc_str = access_str + keys
697 flags_dict[cmd_str] = ParamInfo(ptype,
698 self._params[keys].desc, type_str, ex_str,
699 values.pretty_print(self._hr_values[keys]),
700 acc_str)
701 elif not keys in self._hr_values\
702 and not keys in self._values:
703 # Empty param
704 cmd_str = cmd_line_str + keys
705 acc_str = access_str + keys
706 flags_dict[cmd_str] = ParamInfo(ptype,
707 self._params[keys].desc,
708 type_str, ex_str, '', acc_str)
709
710 return flags_dict
711
712 # Initialize new instance. For objects with SimObject-valued
713 # children, we need to recursively clone the classes represented
714 # by those param values as well in a consistent "deep copy"-style
715 # fashion. That is, we want to make sure that each instance is
716 # cloned only once, and that if there are multiple references to
717 # the same original object, we end up with the corresponding
718 # cloned references all pointing to the same cloned instance.
719 def __init__(self, **kwargs):
720 ancestor = kwargs.get('_ancestor')
721 memo_dict = kwargs.get('_memo')
722 if memo_dict is None:
723 # prepare to memoize any recursively instantiated objects
724 memo_dict = {}
725 elif ancestor:
726 # memoize me now to avoid problems with recursive calls
727 memo_dict[ancestor] = self
728
729 if not ancestor:
730 ancestor = self.__class__
731 ancestor._instantiated = True
732
733 # initialize required attributes
734 self._parent = None
735 self._name = None
736 self._ccObject = None # pointer to C++ object
737 self._ccParams = None
738 self._instantiated = False # really "cloned"
739
740 # Clone children specified at class level. No need for a
741 # multidict here since we will be cloning everything.
742 # Do children before parameter values so that children that
743 # are also param values get cloned properly.
744 self._children = {}
745 for key,val in ancestor._children.iteritems():
746 self.add_child(key, val(_memo=memo_dict))
747
748 # Inherit parameter values from class using multidict so
749 # individual value settings can be overridden but we still
750 # inherit late changes to non-overridden class values.
751 self._values = multidict(ancestor._values)
752 self._hr_values = multidict(ancestor._hr_values)
753 # clone SimObject-valued parameters
754 for key,val in ancestor._values.iteritems():
755 val = tryAsSimObjectOrVector(val)
756 if val is not None:
757 self._values[key] = val(_memo=memo_dict)
758
759 # clone port references. no need to use a multidict here
760 # since we will be creating new references for all ports.
761 self._port_refs = {}
762 for key,val in ancestor._port_refs.iteritems():
763 self._port_refs[key] = val.clone(self, memo_dict)
764 # apply attribute assignments from keyword args, if any
765 for key,val in kwargs.iteritems():
766 setattr(self, key, val)
767
768 # "Clone" the current instance by creating another instance of
769 # this instance's class, but that inherits its parameter values
770 # and port mappings from the current instance. If we're in a
771 # "deep copy" recursive clone, check the _memo dict to see if
772 # we've already cloned this instance.
773 def __call__(self, **kwargs):
774 memo_dict = kwargs.get('_memo')
775 if memo_dict is None:
776 # no memo_dict: must be top-level clone operation.
777 # this is only allowed at the root of a hierarchy
778 if self._parent:
779 raise RuntimeError, "attempt to clone object %s " \
780 "not at the root of a tree (parent = %s)" \
781 % (self, self._parent)
782 # create a new dict and use that.
783 memo_dict = {}
784 kwargs['_memo'] = memo_dict
785 elif memo_dict.has_key(self):
786 # clone already done & memoized
787 return memo_dict[self]
788 return self.__class__(_ancestor = self, **kwargs)
789
790 def _get_port_ref(self, attr):
791 # Return reference that can be assigned to another port
792 # via __setattr__. There is only ever one reference
793 # object per port, but we create them lazily here.
794 ref = self._port_refs.get(attr)
795 if ref == None:
796 ref = self._ports[attr].makeRef(self)
797 self._port_refs[attr] = ref
798 return ref
799
800 def __getattr__(self, attr):
801 if self._ports.has_key(attr):
802 return self._get_port_ref(attr)
803
804 if self._values.has_key(attr):
805 return self._values[attr]
806
807 if self._children.has_key(attr):
808 return self._children[attr]
809
810 # If the attribute exists on the C++ object, transparently
811 # forward the reference there. This is typically used for
812 # SWIG-wrapped methods such as init(), regStats(),
813 # resetStats(), startup(), drain(), and
814 # resume().
815 if self._ccObject and hasattr(self._ccObject, attr):
816 return getattr(self._ccObject, attr)
817
818 err_string = "object '%s' has no attribute '%s'" \
819 % (self.__class__.__name__, attr)
820
821 if not self._ccObject:
822 err_string += "\n (C++ object is not yet constructed," \
823 " so wrapped C++ methods are unavailable.)"
824
825 raise AttributeError, err_string
826
827 # Set attribute (called on foo.attr = value when foo is an
828 # instance of class cls).
829 def __setattr__(self, attr, value):
830 # normal processing for private attributes
831 if attr.startswith('_'):
832 object.__setattr__(self, attr, value)
833 return
834
835 if self._ports.has_key(attr):
836 # set up port connection
837 self._get_port_ref(attr).connect(value)
838 return
839
840 param = self._params.get(attr)
841 if param:
842 try:
843 hr_value = value
844 value = param.convert(value)
845 except Exception, e:
846 msg = "%s\nError setting param %s.%s to %s\n" % \
847 (e, self.__class__.__name__, attr, value)
848 e.args = (msg, )
849 raise
850 self._values[attr] = value
851 # implicitly parent unparented objects assigned as params
852 if isSimObjectOrVector(value) and not value.has_parent():
853 self.add_child(attr, value)
854 # set the human-readable value dict if this is a param
855 # with a literal value and is not being set as an object
856 # or proxy.
857 if not (isSimObjectOrVector(value) or\
858 isinstance(value, m5.proxy.BaseProxy)):
859 self._hr_values[attr] = hr_value
860
861 return
862
863 # if RHS is a SimObject, it's an implicit child assignment
864 if isSimObjectOrSequence(value):
865 self.add_child(attr, value)
866 return
867
868 # no valid assignment... raise exception
869 raise AttributeError, "Class %s has no parameter %s" \
870 % (self.__class__.__name__, attr)
871
872
873 # this hack allows tacking a '[0]' onto parameters that may or may
874 # not be vectors, and always getting the first element (e.g. cpus)
875 def __getitem__(self, key):
876 if key == 0:
877 return self
878 raise IndexError, "Non-zero index '%s' to SimObject" % key
879
880 # this hack allows us to iterate over a SimObject that may
881 # not be a vector, so we can call a loop over it and get just one
882 # element.
883 def __len__(self):
884 return 1
885
886 # Also implemented by SimObjectVector
887 def clear_parent(self, old_parent):
888 assert self._parent is old_parent
889 self._parent = None
890
891 # Also implemented by SimObjectVector
892 def set_parent(self, parent, name):
893 self._parent = parent
894 self._name = name
895
896 # Return parent object of this SimObject, not implemented by SimObjectVector
897 # because the elements in a SimObjectVector may not share the same parent
898 def get_parent(self):
899 return self._parent
900
901 # Also implemented by SimObjectVector
902 def get_name(self):
903 return self._name
904
905 # Also implemented by SimObjectVector
906 def has_parent(self):
907 return self._parent is not None
908
909 # clear out child with given name. This code is not likely to be exercised.
910 # See comment in add_child.
911 def clear_child(self, name):
912 child = self._children[name]
913 child.clear_parent(self)
914 del self._children[name]
915
916 # Add a new child to this object.
917 def add_child(self, name, child):
918 child = coerceSimObjectOrVector(child)
919 if child.has_parent():
920 warn("add_child('%s'): child '%s' already has parent", name,
921 child.get_name())
922 if self._children.has_key(name):
923 # This code path had an undiscovered bug that would make it fail
924 # at runtime. It had been here for a long time and was only
925 # exposed by a buggy script. Changes here will probably not be
926 # exercised without specialized testing.
927 self.clear_child(name)
928 child.set_parent(self, name)
929 self._children[name] = child
930
931 # Take SimObject-valued parameters that haven't been explicitly
932 # assigned as children and make them children of the object that
933 # they were assigned to as a parameter value. This guarantees
934 # that when we instantiate all the parameter objects we're still
935 # inside the configuration hierarchy.
936 def adoptOrphanParams(self):
937 for key,val in self._values.iteritems():
938 if not isSimObjectVector(val) and isSimObjectSequence(val):
939 # need to convert raw SimObject sequences to
940 # SimObjectVector class so we can call has_parent()
941 val = SimObjectVector(val)
942 self._values[key] = val
943 if isSimObjectOrVector(val) and not val.has_parent():
944 warn("%s adopting orphan SimObject param '%s'", self, key)
945 self.add_child(key, val)
946
947 def path(self):
948 if not self._parent:
949 return '<orphan %s>' % self.__class__
950 ppath = self._parent.path()
951 if ppath == 'root':
952 return self._name
953 return ppath + "." + self._name
954
955 def __str__(self):
956 return self.path()
957
1# Copyright (c) 2012 ARM Limited
2# All rights reserved.
3#
4# The license below extends only to copyright in the software and shall
5# not be construed as granting a license to any other intellectual
6# property including but not limited to intellectual property relating
7# to a hardware implementation of the functionality of the software
8# licensed hereunder. You may use the software subject to the license
9# terms below provided that you ensure that this notice is replicated
10# unmodified and in its entirety in all distributions of the software,
11# modified or unmodified, in source code or in binary form.
12#
13# Copyright (c) 2004-2006 The Regents of The University of Michigan
14# Copyright (c) 2010-20013 Advanced Micro Devices, Inc.
15# Copyright (c) 2013 Mark D. Hill and David A. Wood
16# All rights reserved.
17#
18# Redistribution and use in source and binary forms, with or without
19# modification, are permitted provided that the following conditions are
20# met: redistributions of source code must retain the above copyright
21# notice, this list of conditions and the following disclaimer;
22# redistributions in binary form must reproduce the above copyright
23# notice, this list of conditions and the following disclaimer in the
24# documentation and/or other materials provided with the distribution;
25# neither the name of the copyright holders nor the names of its
26# contributors may be used to endorse or promote products derived from
27# this software without specific prior written permission.
28#
29# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
30# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
31# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
32# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
33# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
34# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
35# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
36# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
37# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
38# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
39# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
40#
41# Authors: Steve Reinhardt
42# Nathan Binkert
43# Andreas Hansson
44
45import sys
46from types import FunctionType, MethodType, ModuleType
47
48import m5
49from m5.util import *
50
51# Have to import params up top since Param is referenced on initial
52# load (when SimObject class references Param to create a class
53# variable, the 'name' param)...
54from m5.params import *
55# There are a few things we need that aren't in params.__all__ since
56# normal users don't need them
57from m5.params import ParamDesc, VectorParamDesc, \
58 isNullPointer, SimObjectVector, Port
59
60from m5.proxy import *
61from m5.proxy import isproxy
62
63#####################################################################
64#
65# M5 Python Configuration Utility
66#
67# The basic idea is to write simple Python programs that build Python
68# objects corresponding to M5 SimObjects for the desired simulation
69# configuration. For now, the Python emits a .ini file that can be
70# parsed by M5. In the future, some tighter integration between M5
71# and the Python interpreter may allow bypassing the .ini file.
72#
73# Each SimObject class in M5 is represented by a Python class with the
74# same name. The Python inheritance tree mirrors the M5 C++ tree
75# (e.g., SimpleCPU derives from BaseCPU in both cases, and all
76# SimObjects inherit from a single SimObject base class). To specify
77# an instance of an M5 SimObject in a configuration, the user simply
78# instantiates the corresponding Python object. The parameters for
79# that SimObject are given by assigning to attributes of the Python
80# object, either using keyword assignment in the constructor or in
81# separate assignment statements. For example:
82#
83# cache = BaseCache(size='64KB')
84# cache.hit_latency = 3
85# cache.assoc = 8
86#
87# The magic lies in the mapping of the Python attributes for SimObject
88# classes to the actual SimObject parameter specifications. This
89# allows parameter validity checking in the Python code. Continuing
90# the example above, the statements "cache.blurfl=3" or
91# "cache.assoc='hello'" would both result in runtime errors in Python,
92# since the BaseCache object has no 'blurfl' parameter and the 'assoc'
93# parameter requires an integer, respectively. This magic is done
94# primarily by overriding the special __setattr__ method that controls
95# assignment to object attributes.
96#
97# Once a set of Python objects have been instantiated in a hierarchy,
98# calling 'instantiate(obj)' (where obj is the root of the hierarchy)
99# will generate a .ini file.
100#
101#####################################################################
102
103# list of all SimObject classes
104allClasses = {}
105
106# dict to look up SimObjects based on path
107instanceDict = {}
108
109# Did any of the SimObjects lack a header file?
110noCxxHeader = False
111
112def public_value(key, value):
113 return key.startswith('_') or \
114 isinstance(value, (FunctionType, MethodType, ModuleType,
115 classmethod, type))
116
117# The metaclass for SimObject. This class controls how new classes
118# that derive from SimObject are instantiated, and provides inherited
119# class behavior (just like a class controls how instances of that
120# class are instantiated, and provides inherited instance behavior).
121class MetaSimObject(type):
122 # Attributes that can be set only at initialization time
123 init_keywords = { 'abstract' : bool,
124 'cxx_class' : str,
125 'cxx_type' : str,
126 'cxx_header' : str,
127 'type' : str,
128 'cxx_bases' : list }
129 # Attributes that can be set any time
130 keywords = { 'check' : FunctionType }
131
132 # __new__ is called before __init__, and is where the statements
133 # in the body of the class definition get loaded into the class's
134 # __dict__. We intercept this to filter out parameter & port assignments
135 # and only allow "private" attributes to be passed to the base
136 # __new__ (starting with underscore).
137 def __new__(mcls, name, bases, dict):
138 assert name not in allClasses, "SimObject %s already present" % name
139
140 # Copy "private" attributes, functions, and classes to the
141 # official dict. Everything else goes in _init_dict to be
142 # filtered in __init__.
143 cls_dict = {}
144 value_dict = {}
145 for key,val in dict.items():
146 if public_value(key, val):
147 cls_dict[key] = val
148 else:
149 # must be a param/port setting
150 value_dict[key] = val
151 if 'abstract' not in value_dict:
152 value_dict['abstract'] = False
153 if 'cxx_bases' not in value_dict:
154 value_dict['cxx_bases'] = []
155 cls_dict['_value_dict'] = value_dict
156 cls = super(MetaSimObject, mcls).__new__(mcls, name, bases, cls_dict)
157 if 'type' in value_dict:
158 allClasses[name] = cls
159 return cls
160
161 # subclass initialization
162 def __init__(cls, name, bases, dict):
163 # calls type.__init__()... I think that's a no-op, but leave
164 # it here just in case it's not.
165 super(MetaSimObject, cls).__init__(name, bases, dict)
166
167 # initialize required attributes
168
169 # class-only attributes
170 cls._params = multidict() # param descriptions
171 cls._ports = multidict() # port descriptions
172
173 # class or instance attributes
174 cls._values = multidict() # param values
175 cls._hr_values = multidict() # human readable param values
176 cls._children = multidict() # SimObject children
177 cls._port_refs = multidict() # port ref objects
178 cls._instantiated = False # really instantiated, cloned, or subclassed
179
180 # We don't support multiple inheritance of sim objects. If you want
181 # to, you must fix multidict to deal with it properly. Non sim-objects
182 # are ok, though
183 bTotal = 0
184 for c in bases:
185 if isinstance(c, MetaSimObject):
186 bTotal += 1
187 if bTotal > 1:
188 raise TypeError, "SimObjects do not support multiple inheritance"
189
190 base = bases[0]
191
192 # Set up general inheritance via multidicts. A subclass will
193 # inherit all its settings from the base class. The only time
194 # the following is not true is when we define the SimObject
195 # class itself (in which case the multidicts have no parent).
196 if isinstance(base, MetaSimObject):
197 cls._base = base
198 cls._params.parent = base._params
199 cls._ports.parent = base._ports
200 cls._values.parent = base._values
201 cls._hr_values.parent = base._hr_values
202 cls._children.parent = base._children
203 cls._port_refs.parent = base._port_refs
204 # mark base as having been subclassed
205 base._instantiated = True
206 else:
207 cls._base = None
208
209 # default keyword values
210 if 'type' in cls._value_dict:
211 if 'cxx_class' not in cls._value_dict:
212 cls._value_dict['cxx_class'] = cls._value_dict['type']
213
214 cls._value_dict['cxx_type'] = '%s *' % cls._value_dict['cxx_class']
215
216 if 'cxx_header' not in cls._value_dict:
217 global noCxxHeader
218 noCxxHeader = True
219 warn("No header file specified for SimObject: %s", name)
220
221 # Export methods are automatically inherited via C++, so we
222 # don't want the method declarations to get inherited on the
223 # python side (and thus end up getting repeated in the wrapped
224 # versions of derived classes). The code below basicallly
225 # suppresses inheritance by substituting in the base (null)
226 # versions of these methods unless a different version is
227 # explicitly supplied.
228 for method_name in ('export_methods', 'export_method_cxx_predecls',
229 'export_method_swig_predecls'):
230 if method_name not in cls.__dict__:
231 base_method = getattr(MetaSimObject, method_name)
232 m = MethodType(base_method, cls, MetaSimObject)
233 setattr(cls, method_name, m)
234
235 # Now process the _value_dict items. They could be defining
236 # new (or overriding existing) parameters or ports, setting
237 # class keywords (e.g., 'abstract'), or setting parameter
238 # values or port bindings. The first 3 can only be set when
239 # the class is defined, so we handle them here. The others
240 # can be set later too, so just emulate that by calling
241 # setattr().
242 for key,val in cls._value_dict.items():
243 # param descriptions
244 if isinstance(val, ParamDesc):
245 cls._new_param(key, val)
246
247 # port objects
248 elif isinstance(val, Port):
249 cls._new_port(key, val)
250
251 # init-time-only keywords
252 elif cls.init_keywords.has_key(key):
253 cls._set_keyword(key, val, cls.init_keywords[key])
254
255 # default: use normal path (ends up in __setattr__)
256 else:
257 setattr(cls, key, val)
258
259 def _set_keyword(cls, keyword, val, kwtype):
260 if not isinstance(val, kwtype):
261 raise TypeError, 'keyword %s has bad type %s (expecting %s)' % \
262 (keyword, type(val), kwtype)
263 if isinstance(val, FunctionType):
264 val = classmethod(val)
265 type.__setattr__(cls, keyword, val)
266
267 def _new_param(cls, name, pdesc):
268 # each param desc should be uniquely assigned to one variable
269 assert(not hasattr(pdesc, 'name'))
270 pdesc.name = name
271 cls._params[name] = pdesc
272 if hasattr(pdesc, 'default'):
273 cls._set_param(name, pdesc.default, pdesc)
274
275 def _set_param(cls, name, value, param):
276 assert(param.name == name)
277 try:
278 hr_value = value
279 value = param.convert(value)
280 except Exception, e:
281 msg = "%s\nError setting param %s.%s to %s\n" % \
282 (e, cls.__name__, name, value)
283 e.args = (msg, )
284 raise
285 cls._values[name] = value
286 # if param value is a SimObject, make it a child too, so that
287 # it gets cloned properly when the class is instantiated
288 if isSimObjectOrVector(value) and not value.has_parent():
289 cls._add_cls_child(name, value)
290 # update human-readable values of the param if it has a literal
291 # value and is not an object or proxy.
292 if not (isSimObjectOrVector(value) or\
293 isinstance(value, m5.proxy.BaseProxy)):
294 cls._hr_values[name] = hr_value
295
296 def _add_cls_child(cls, name, child):
297 # It's a little funky to have a class as a parent, but these
298 # objects should never be instantiated (only cloned, which
299 # clears the parent pointer), and this makes it clear that the
300 # object is not an orphan and can provide better error
301 # messages.
302 child.set_parent(cls, name)
303 cls._children[name] = child
304
305 def _new_port(cls, name, port):
306 # each port should be uniquely assigned to one variable
307 assert(not hasattr(port, 'name'))
308 port.name = name
309 cls._ports[name] = port
310
311 # same as _get_port_ref, effectively, but for classes
312 def _cls_get_port_ref(cls, attr):
313 # Return reference that can be assigned to another port
314 # via __setattr__. There is only ever one reference
315 # object per port, but we create them lazily here.
316 ref = cls._port_refs.get(attr)
317 if not ref:
318 ref = cls._ports[attr].makeRef(cls)
319 cls._port_refs[attr] = ref
320 return ref
321
322 # Set attribute (called on foo.attr = value when foo is an
323 # instance of class cls).
324 def __setattr__(cls, attr, value):
325 # normal processing for private attributes
326 if public_value(attr, value):
327 type.__setattr__(cls, attr, value)
328 return
329
330 if cls.keywords.has_key(attr):
331 cls._set_keyword(attr, value, cls.keywords[attr])
332 return
333
334 if cls._ports.has_key(attr):
335 cls._cls_get_port_ref(attr).connect(value)
336 return
337
338 if isSimObjectOrSequence(value) and cls._instantiated:
339 raise RuntimeError, \
340 "cannot set SimObject parameter '%s' after\n" \
341 " class %s has been instantiated or subclassed" \
342 % (attr, cls.__name__)
343
344 # check for param
345 param = cls._params.get(attr)
346 if param:
347 cls._set_param(attr, value, param)
348 return
349
350 if isSimObjectOrSequence(value):
351 # If RHS is a SimObject, it's an implicit child assignment.
352 cls._add_cls_child(attr, coerceSimObjectOrVector(value))
353 return
354
355 # no valid assignment... raise exception
356 raise AttributeError, \
357 "Class %s has no parameter \'%s\'" % (cls.__name__, attr)
358
359 def __getattr__(cls, attr):
360 if attr == 'cxx_class_path':
361 return cls.cxx_class.split('::')
362
363 if attr == 'cxx_class_name':
364 return cls.cxx_class_path[-1]
365
366 if attr == 'cxx_namespaces':
367 return cls.cxx_class_path[:-1]
368
369 if cls._values.has_key(attr):
370 return cls._values[attr]
371
372 if cls._children.has_key(attr):
373 return cls._children[attr]
374
375 raise AttributeError, \
376 "object '%s' has no attribute '%s'" % (cls.__name__, attr)
377
378 def __str__(cls):
379 return cls.__name__
380
381 # See ParamValue.cxx_predecls for description.
382 def cxx_predecls(cls, code):
383 code('#include "params/$cls.hh"')
384
385 # See ParamValue.swig_predecls for description.
386 def swig_predecls(cls, code):
387 code('%import "python/m5/internal/param_$cls.i"')
388
389 # Hook for exporting additional C++ methods to Python via SWIG.
390 # Default is none, override using @classmethod in class definition.
391 def export_methods(cls, code):
392 pass
393
394 # Generate the code needed as a prerequisite for the C++ methods
395 # exported via export_methods() to be compiled in the _wrap.cc
396 # file. Typically generates one or more #include statements. If
397 # any methods are exported, typically at least the C++ header
398 # declaring the relevant SimObject class must be included.
399 def export_method_cxx_predecls(cls, code):
400 pass
401
402 # Generate the code needed as a prerequisite for the C++ methods
403 # exported via export_methods() to be processed by SWIG.
404 # Typically generates one or more %include or %import statements.
405 # If any methods are exported, typically at least the C++ header
406 # declaring the relevant SimObject class must be included.
407 def export_method_swig_predecls(cls, code):
408 pass
409
410 # Generate the declaration for this object for wrapping with SWIG.
411 # Generates code that goes into a SWIG .i file. Called from
412 # src/SConscript.
413 def swig_decl(cls, code):
414 class_path = cls.cxx_class.split('::')
415 classname = class_path[-1]
416 namespaces = class_path[:-1]
417
418 # The 'local' attribute restricts us to the params declared in
419 # the object itself, not including inherited params (which
420 # will also be inherited from the base class's param struct
421 # here).
422 params = cls._params.local.values()
423 ports = cls._ports.local
424
425 code('%module(package="m5.internal") param_$cls')
426 code()
427 code('%{')
428 code('#include "sim/sim_object.hh"')
429 code('#include "params/$cls.hh"')
430 for param in params:
431 param.cxx_predecls(code)
432 code('#include "${{cls.cxx_header}}"')
433 cls.export_method_cxx_predecls(code)
434 code('''\
435/**
436 * This is a workaround for bug in swig. Prior to gcc 4.6.1 the STL
437 * headers like vector, string, etc. used to automatically pull in
438 * the cstddef header but starting with gcc 4.6.1 they no longer do.
439 * This leads to swig generated a file that does not compile so we
440 * explicitly include cstddef. Additionally, including version 2.0.4,
441 * swig uses ptrdiff_t without the std:: namespace prefix which is
442 * required with gcc 4.6.1. We explicitly provide access to it.
443 */
444#include <cstddef>
445using std::ptrdiff_t;
446''')
447 code('%}')
448 code()
449
450 for param in params:
451 param.swig_predecls(code)
452 cls.export_method_swig_predecls(code)
453
454 code()
455 if cls._base:
456 code('%import "python/m5/internal/param_${{cls._base}}.i"')
457 code()
458
459 for ns in namespaces:
460 code('namespace $ns {')
461
462 if namespaces:
463 code('// avoid name conflicts')
464 sep_string = '_COLONS_'
465 flat_name = sep_string.join(class_path)
466 code('%rename($flat_name) $classname;')
467
468 code()
469 code('// stop swig from creating/wrapping default ctor/dtor')
470 code('%nodefault $classname;')
471 code('class $classname')
472 if cls._base:
473 bases = [ cls._base.cxx_class ] + cls.cxx_bases
474 else:
475 bases = cls.cxx_bases
476 base_first = True
477 for base in bases:
478 if base_first:
479 code(' : public ${{base}}')
480 base_first = False
481 else:
482 code(' , public ${{base}}')
483
484 code('{')
485 code(' public:')
486 cls.export_methods(code)
487 code('};')
488
489 for ns in reversed(namespaces):
490 code('} // namespace $ns')
491
492 code()
493 code('%include "params/$cls.hh"')
494
495
496 # Generate the C++ declaration (.hh file) for this SimObject's
497 # param struct. Called from src/SConscript.
498 def cxx_param_decl(cls, code):
499 # The 'local' attribute restricts us to the params declared in
500 # the object itself, not including inherited params (which
501 # will also be inherited from the base class's param struct
502 # here).
503 params = cls._params.local.values()
504 ports = cls._ports.local
505 try:
506 ptypes = [p.ptype for p in params]
507 except:
508 print cls, p, p.ptype_str
509 print params
510 raise
511
512 class_path = cls._value_dict['cxx_class'].split('::')
513
514 code('''\
515#ifndef __PARAMS__${cls}__
516#define __PARAMS__${cls}__
517
518''')
519
520 # A forward class declaration is sufficient since we are just
521 # declaring a pointer.
522 for ns in class_path[:-1]:
523 code('namespace $ns {')
524 code('class $0;', class_path[-1])
525 for ns in reversed(class_path[:-1]):
526 code('} // namespace $ns')
527 code()
528
529 # The base SimObject has a couple of params that get
530 # automatically set from Python without being declared through
531 # the normal Param mechanism; we slip them in here (needed
532 # predecls now, actual declarations below)
533 if cls == SimObject:
534 code('''
535#ifndef PY_VERSION
536struct PyObject;
537#endif
538
539#include <string>
540''')
541 for param in params:
542 param.cxx_predecls(code)
543 for port in ports.itervalues():
544 port.cxx_predecls(code)
545 code()
546
547 if cls._base:
548 code('#include "params/${{cls._base.type}}.hh"')
549 code()
550
551 for ptype in ptypes:
552 if issubclass(ptype, Enum):
553 code('#include "enums/${{ptype.__name__}}.hh"')
554 code()
555
556 # now generate the actual param struct
557 code("struct ${cls}Params")
558 if cls._base:
559 code(" : public ${{cls._base.type}}Params")
560 code("{")
561 if not hasattr(cls, 'abstract') or not cls.abstract:
562 if 'type' in cls.__dict__:
563 code(" ${{cls.cxx_type}} create();")
564
565 code.indent()
566 if cls == SimObject:
567 code('''
568 SimObjectParams() {}
569 virtual ~SimObjectParams() {}
570
571 std::string name;
572 PyObject *pyobj;
573 ''')
574 for param in params:
575 param.cxx_decl(code)
576 for port in ports.itervalues():
577 port.cxx_decl(code)
578
579 code.dedent()
580 code('};')
581
582 code()
583 code('#endif // __PARAMS__${cls}__')
584 return code
585
586
587# This *temporary* definition is required to support calls from the
588# SimObject class definition to the MetaSimObject methods (in
589# particular _set_param, which gets called for parameters with default
590# values defined on the SimObject class itself). It will get
591# overridden by the permanent definition (which requires that
592# SimObject be defined) lower in this file.
593def isSimObjectOrVector(value):
594 return False
595
596# This class holds information about each simobject parameter
597# that should be displayed on the command line for use in the
598# configuration system.
599class ParamInfo(object):
600 def __init__(self, type, desc, type_str, example, default_val, access_str):
601 self.type = type
602 self.desc = desc
603 self.type_str = type_str
604 self.example_str = example
605 self.default_val = default_val
606 # The string representation used to access this param through python.
607 # The method to access this parameter presented on the command line may
608 # be different, so this needs to be stored for later use.
609 self.access_str = access_str
610 self.created = True
611
612 # Make it so we can only set attributes at initialization time
613 # and effectively make this a const object.
614 def __setattr__(self, name, value):
615 if not "created" in self.__dict__:
616 self.__dict__[name] = value
617
618# The SimObject class is the root of the special hierarchy. Most of
619# the code in this class deals with the configuration hierarchy itself
620# (parent/child node relationships).
621class SimObject(object):
622 # Specify metaclass. Any class inheriting from SimObject will
623 # get this metaclass.
624 __metaclass__ = MetaSimObject
625 type = 'SimObject'
626 abstract = True
627
628 cxx_header = "sim/sim_object.hh"
629 cxx_bases = [ "Drainable", "Serializable" ]
630 eventq_index = Param.UInt32(Parent.eventq_index, "Event Queue Index")
631
632 @classmethod
633 def export_method_swig_predecls(cls, code):
634 code('''
635%include <std_string.i>
636
637%import "python/swig/drain.i"
638%import "python/swig/serialize.i"
639''')
640
641 @classmethod
642 def export_methods(cls, code):
643 code('''
644 void init();
645 void loadState(Checkpoint *cp);
646 void initState();
647 void regStats();
648 void resetStats();
649 void regProbePoints();
650 void regProbeListeners();
651 void startup();
652''')
653
654 # Returns a dict of all the option strings that can be
655 # generated as command line options for this simobject instance
656 # by tracing all reachable params in the top level instance and
657 # any children it contains.
658 def enumerateParams(self, flags_dict = {},
659 cmd_line_str = "", access_str = ""):
660 if hasattr(self, "_paramEnumed"):
661 print "Cycle detected enumerating params"
662 else:
663 self._paramEnumed = True
664 # Scan the children first to pick up all the objects in this SimObj
665 for keys in self._children:
666 child = self._children[keys]
667 next_cmdline_str = cmd_line_str + keys
668 next_access_str = access_str + keys
669 if not isSimObjectVector(child):
670 next_cmdline_str = next_cmdline_str + "."
671 next_access_str = next_access_str + "."
672 flags_dict = child.enumerateParams(flags_dict,
673 next_cmdline_str,
674 next_access_str)
675
676 # Go through the simple params in the simobject in this level
677 # of the simobject hierarchy and save information about the
678 # parameter to be used for generating and processing command line
679 # options to the simulator to set these parameters.
680 for keys,values in self._params.items():
681 if values.isCmdLineSettable():
682 type_str = ''
683 ex_str = values.example_str()
684 ptype = None
685 if isinstance(values, VectorParamDesc):
686 type_str = 'Vector_%s' % values.ptype_str
687 ptype = values
688 else:
689 type_str = '%s' % values.ptype_str
690 ptype = values.ptype
691
692 if keys in self._hr_values\
693 and keys in self._values\
694 and not isinstance(self._values[keys], m5.proxy.BaseProxy):
695 cmd_str = cmd_line_str + keys
696 acc_str = access_str + keys
697 flags_dict[cmd_str] = ParamInfo(ptype,
698 self._params[keys].desc, type_str, ex_str,
699 values.pretty_print(self._hr_values[keys]),
700 acc_str)
701 elif not keys in self._hr_values\
702 and not keys in self._values:
703 # Empty param
704 cmd_str = cmd_line_str + keys
705 acc_str = access_str + keys
706 flags_dict[cmd_str] = ParamInfo(ptype,
707 self._params[keys].desc,
708 type_str, ex_str, '', acc_str)
709
710 return flags_dict
711
712 # Initialize new instance. For objects with SimObject-valued
713 # children, we need to recursively clone the classes represented
714 # by those param values as well in a consistent "deep copy"-style
715 # fashion. That is, we want to make sure that each instance is
716 # cloned only once, and that if there are multiple references to
717 # the same original object, we end up with the corresponding
718 # cloned references all pointing to the same cloned instance.
719 def __init__(self, **kwargs):
720 ancestor = kwargs.get('_ancestor')
721 memo_dict = kwargs.get('_memo')
722 if memo_dict is None:
723 # prepare to memoize any recursively instantiated objects
724 memo_dict = {}
725 elif ancestor:
726 # memoize me now to avoid problems with recursive calls
727 memo_dict[ancestor] = self
728
729 if not ancestor:
730 ancestor = self.__class__
731 ancestor._instantiated = True
732
733 # initialize required attributes
734 self._parent = None
735 self._name = None
736 self._ccObject = None # pointer to C++ object
737 self._ccParams = None
738 self._instantiated = False # really "cloned"
739
740 # Clone children specified at class level. No need for a
741 # multidict here since we will be cloning everything.
742 # Do children before parameter values so that children that
743 # are also param values get cloned properly.
744 self._children = {}
745 for key,val in ancestor._children.iteritems():
746 self.add_child(key, val(_memo=memo_dict))
747
748 # Inherit parameter values from class using multidict so
749 # individual value settings can be overridden but we still
750 # inherit late changes to non-overridden class values.
751 self._values = multidict(ancestor._values)
752 self._hr_values = multidict(ancestor._hr_values)
753 # clone SimObject-valued parameters
754 for key,val in ancestor._values.iteritems():
755 val = tryAsSimObjectOrVector(val)
756 if val is not None:
757 self._values[key] = val(_memo=memo_dict)
758
759 # clone port references. no need to use a multidict here
760 # since we will be creating new references for all ports.
761 self._port_refs = {}
762 for key,val in ancestor._port_refs.iteritems():
763 self._port_refs[key] = val.clone(self, memo_dict)
764 # apply attribute assignments from keyword args, if any
765 for key,val in kwargs.iteritems():
766 setattr(self, key, val)
767
768 # "Clone" the current instance by creating another instance of
769 # this instance's class, but that inherits its parameter values
770 # and port mappings from the current instance. If we're in a
771 # "deep copy" recursive clone, check the _memo dict to see if
772 # we've already cloned this instance.
773 def __call__(self, **kwargs):
774 memo_dict = kwargs.get('_memo')
775 if memo_dict is None:
776 # no memo_dict: must be top-level clone operation.
777 # this is only allowed at the root of a hierarchy
778 if self._parent:
779 raise RuntimeError, "attempt to clone object %s " \
780 "not at the root of a tree (parent = %s)" \
781 % (self, self._parent)
782 # create a new dict and use that.
783 memo_dict = {}
784 kwargs['_memo'] = memo_dict
785 elif memo_dict.has_key(self):
786 # clone already done & memoized
787 return memo_dict[self]
788 return self.__class__(_ancestor = self, **kwargs)
789
790 def _get_port_ref(self, attr):
791 # Return reference that can be assigned to another port
792 # via __setattr__. There is only ever one reference
793 # object per port, but we create them lazily here.
794 ref = self._port_refs.get(attr)
795 if ref == None:
796 ref = self._ports[attr].makeRef(self)
797 self._port_refs[attr] = ref
798 return ref
799
800 def __getattr__(self, attr):
801 if self._ports.has_key(attr):
802 return self._get_port_ref(attr)
803
804 if self._values.has_key(attr):
805 return self._values[attr]
806
807 if self._children.has_key(attr):
808 return self._children[attr]
809
810 # If the attribute exists on the C++ object, transparently
811 # forward the reference there. This is typically used for
812 # SWIG-wrapped methods such as init(), regStats(),
813 # resetStats(), startup(), drain(), and
814 # resume().
815 if self._ccObject and hasattr(self._ccObject, attr):
816 return getattr(self._ccObject, attr)
817
818 err_string = "object '%s' has no attribute '%s'" \
819 % (self.__class__.__name__, attr)
820
821 if not self._ccObject:
822 err_string += "\n (C++ object is not yet constructed," \
823 " so wrapped C++ methods are unavailable.)"
824
825 raise AttributeError, err_string
826
827 # Set attribute (called on foo.attr = value when foo is an
828 # instance of class cls).
829 def __setattr__(self, attr, value):
830 # normal processing for private attributes
831 if attr.startswith('_'):
832 object.__setattr__(self, attr, value)
833 return
834
835 if self._ports.has_key(attr):
836 # set up port connection
837 self._get_port_ref(attr).connect(value)
838 return
839
840 param = self._params.get(attr)
841 if param:
842 try:
843 hr_value = value
844 value = param.convert(value)
845 except Exception, e:
846 msg = "%s\nError setting param %s.%s to %s\n" % \
847 (e, self.__class__.__name__, attr, value)
848 e.args = (msg, )
849 raise
850 self._values[attr] = value
851 # implicitly parent unparented objects assigned as params
852 if isSimObjectOrVector(value) and not value.has_parent():
853 self.add_child(attr, value)
854 # set the human-readable value dict if this is a param
855 # with a literal value and is not being set as an object
856 # or proxy.
857 if not (isSimObjectOrVector(value) or\
858 isinstance(value, m5.proxy.BaseProxy)):
859 self._hr_values[attr] = hr_value
860
861 return
862
863 # if RHS is a SimObject, it's an implicit child assignment
864 if isSimObjectOrSequence(value):
865 self.add_child(attr, value)
866 return
867
868 # no valid assignment... raise exception
869 raise AttributeError, "Class %s has no parameter %s" \
870 % (self.__class__.__name__, attr)
871
872
873 # this hack allows tacking a '[0]' onto parameters that may or may
874 # not be vectors, and always getting the first element (e.g. cpus)
875 def __getitem__(self, key):
876 if key == 0:
877 return self
878 raise IndexError, "Non-zero index '%s' to SimObject" % key
879
880 # this hack allows us to iterate over a SimObject that may
881 # not be a vector, so we can call a loop over it and get just one
882 # element.
883 def __len__(self):
884 return 1
885
886 # Also implemented by SimObjectVector
887 def clear_parent(self, old_parent):
888 assert self._parent is old_parent
889 self._parent = None
890
891 # Also implemented by SimObjectVector
892 def set_parent(self, parent, name):
893 self._parent = parent
894 self._name = name
895
896 # Return parent object of this SimObject, not implemented by SimObjectVector
897 # because the elements in a SimObjectVector may not share the same parent
898 def get_parent(self):
899 return self._parent
900
901 # Also implemented by SimObjectVector
902 def get_name(self):
903 return self._name
904
905 # Also implemented by SimObjectVector
906 def has_parent(self):
907 return self._parent is not None
908
909 # clear out child with given name. This code is not likely to be exercised.
910 # See comment in add_child.
911 def clear_child(self, name):
912 child = self._children[name]
913 child.clear_parent(self)
914 del self._children[name]
915
916 # Add a new child to this object.
917 def add_child(self, name, child):
918 child = coerceSimObjectOrVector(child)
919 if child.has_parent():
920 warn("add_child('%s'): child '%s' already has parent", name,
921 child.get_name())
922 if self._children.has_key(name):
923 # This code path had an undiscovered bug that would make it fail
924 # at runtime. It had been here for a long time and was only
925 # exposed by a buggy script. Changes here will probably not be
926 # exercised without specialized testing.
927 self.clear_child(name)
928 child.set_parent(self, name)
929 self._children[name] = child
930
931 # Take SimObject-valued parameters that haven't been explicitly
932 # assigned as children and make them children of the object that
933 # they were assigned to as a parameter value. This guarantees
934 # that when we instantiate all the parameter objects we're still
935 # inside the configuration hierarchy.
936 def adoptOrphanParams(self):
937 for key,val in self._values.iteritems():
938 if not isSimObjectVector(val) and isSimObjectSequence(val):
939 # need to convert raw SimObject sequences to
940 # SimObjectVector class so we can call has_parent()
941 val = SimObjectVector(val)
942 self._values[key] = val
943 if isSimObjectOrVector(val) and not val.has_parent():
944 warn("%s adopting orphan SimObject param '%s'", self, key)
945 self.add_child(key, val)
946
947 def path(self):
948 if not self._parent:
949 return '<orphan %s>' % self.__class__
950 ppath = self._parent.path()
951 if ppath == 'root':
952 return self._name
953 return ppath + "." + self._name
954
955 def __str__(self):
956 return self.path()
957
958 def config_value(self):
959 return self.path()
960
958 def ini_str(self):
959 return self.path()
960
961 def find_any(self, ptype):
962 if isinstance(self, ptype):
963 return self, True
964
965 found_obj = None
966 for child in self._children.itervalues():
967 visited = False
968 if hasattr(child, '_visited'):
969 visited = getattr(child, '_visited')
970
971 if isinstance(child, ptype) and not visited:
972 if found_obj != None and child != found_obj:
973 raise AttributeError, \
974 'parent.any matched more than one: %s %s' % \
975 (found_obj.path, child.path)
976 found_obj = child
977 # search param space
978 for pname,pdesc in self._params.iteritems():
979 if issubclass(pdesc.ptype, ptype):
980 match_obj = self._values[pname]
981 if found_obj != None and found_obj != match_obj:
982 raise AttributeError, \
983 'parent.any matched more than one: %s and %s' % (found_obj.path, match_obj.path)
984 found_obj = match_obj
985 return found_obj, found_obj != None
986
987 def find_all(self, ptype):
988 all = {}
989 # search children
990 for child in self._children.itervalues():
991 # a child could be a list, so ensure we visit each item
992 if isinstance(child, list):
993 children = child
994 else:
995 children = [child]
996
997 for child in children:
998 if isinstance(child, ptype) and not isproxy(child) and \
999 not isNullPointer(child):
1000 all[child] = True
1001 if isSimObject(child):
1002 # also add results from the child itself
1003 child_all, done = child.find_all(ptype)
1004 all.update(dict(zip(child_all, [done] * len(child_all))))
1005 # search param space
1006 for pname,pdesc in self._params.iteritems():
1007 if issubclass(pdesc.ptype, ptype):
1008 match_obj = self._values[pname]
1009 if not isproxy(match_obj) and not isNullPointer(match_obj):
1010 all[match_obj] = True
1011 return all.keys(), True
1012
1013 def unproxy(self, base):
1014 return self
1015
1016 def unproxyParams(self):
1017 for param in self._params.iterkeys():
1018 value = self._values.get(param)
1019 if value != None and isproxy(value):
1020 try:
1021 value = value.unproxy(self)
1022 except:
1023 print "Error in unproxying param '%s' of %s" % \
1024 (param, self.path())
1025 raise
1026 setattr(self, param, value)
1027
1028 # Unproxy ports in sorted order so that 'append' operations on
1029 # vector ports are done in a deterministic fashion.
1030 port_names = self._ports.keys()
1031 port_names.sort()
1032 for port_name in port_names:
1033 port = self._port_refs.get(port_name)
1034 if port != None:
1035 port.unproxy(self)
1036
1037 def print_ini(self, ini_file):
1038 print >>ini_file, '[' + self.path() + ']' # .ini section header
1039
1040 instanceDict[self.path()] = self
1041
1042 if hasattr(self, 'type'):
1043 print >>ini_file, 'type=%s' % self.type
1044
1045 if len(self._children.keys()):
1046 print >>ini_file, 'children=%s' % \
1047 ' '.join(self._children[n].get_name() \
1048 for n in sorted(self._children.keys()))
1049
1050 for param in sorted(self._params.keys()):
1051 value = self._values.get(param)
1052 if value != None:
1053 print >>ini_file, '%s=%s' % (param,
1054 self._values[param].ini_str())
1055
1056 for port_name in sorted(self._ports.keys()):
1057 port = self._port_refs.get(port_name, None)
1058 if port != None:
1059 print >>ini_file, '%s=%s' % (port_name, port.ini_str())
1060
1061 print >>ini_file # blank line between objects
1062
1063 # generate a tree of dictionaries expressing all the parameters in the
1064 # instantiated system for use by scripts that want to do power, thermal
1065 # visualization, and other similar tasks
1066 def get_config_as_dict(self):
1067 d = attrdict()
1068 if hasattr(self, 'type'):
1069 d.type = self.type
1070 if hasattr(self, 'cxx_class'):
1071 d.cxx_class = self.cxx_class
1072 # Add the name and path of this object to be able to link to
1073 # the stats
1074 d.name = self.get_name()
1075 d.path = self.path()
1076
1077 for param in sorted(self._params.keys()):
1078 value = self._values.get(param)
1079 if value != None:
961 def ini_str(self):
962 return self.path()
963
964 def find_any(self, ptype):
965 if isinstance(self, ptype):
966 return self, True
967
968 found_obj = None
969 for child in self._children.itervalues():
970 visited = False
971 if hasattr(child, '_visited'):
972 visited = getattr(child, '_visited')
973
974 if isinstance(child, ptype) and not visited:
975 if found_obj != None and child != found_obj:
976 raise AttributeError, \
977 'parent.any matched more than one: %s %s' % \
978 (found_obj.path, child.path)
979 found_obj = child
980 # search param space
981 for pname,pdesc in self._params.iteritems():
982 if issubclass(pdesc.ptype, ptype):
983 match_obj = self._values[pname]
984 if found_obj != None and found_obj != match_obj:
985 raise AttributeError, \
986 'parent.any matched more than one: %s and %s' % (found_obj.path, match_obj.path)
987 found_obj = match_obj
988 return found_obj, found_obj != None
989
990 def find_all(self, ptype):
991 all = {}
992 # search children
993 for child in self._children.itervalues():
994 # a child could be a list, so ensure we visit each item
995 if isinstance(child, list):
996 children = child
997 else:
998 children = [child]
999
1000 for child in children:
1001 if isinstance(child, ptype) and not isproxy(child) and \
1002 not isNullPointer(child):
1003 all[child] = True
1004 if isSimObject(child):
1005 # also add results from the child itself
1006 child_all, done = child.find_all(ptype)
1007 all.update(dict(zip(child_all, [done] * len(child_all))))
1008 # search param space
1009 for pname,pdesc in self._params.iteritems():
1010 if issubclass(pdesc.ptype, ptype):
1011 match_obj = self._values[pname]
1012 if not isproxy(match_obj) and not isNullPointer(match_obj):
1013 all[match_obj] = True
1014 return all.keys(), True
1015
1016 def unproxy(self, base):
1017 return self
1018
1019 def unproxyParams(self):
1020 for param in self._params.iterkeys():
1021 value = self._values.get(param)
1022 if value != None and isproxy(value):
1023 try:
1024 value = value.unproxy(self)
1025 except:
1026 print "Error in unproxying param '%s' of %s" % \
1027 (param, self.path())
1028 raise
1029 setattr(self, param, value)
1030
1031 # Unproxy ports in sorted order so that 'append' operations on
1032 # vector ports are done in a deterministic fashion.
1033 port_names = self._ports.keys()
1034 port_names.sort()
1035 for port_name in port_names:
1036 port = self._port_refs.get(port_name)
1037 if port != None:
1038 port.unproxy(self)
1039
1040 def print_ini(self, ini_file):
1041 print >>ini_file, '[' + self.path() + ']' # .ini section header
1042
1043 instanceDict[self.path()] = self
1044
1045 if hasattr(self, 'type'):
1046 print >>ini_file, 'type=%s' % self.type
1047
1048 if len(self._children.keys()):
1049 print >>ini_file, 'children=%s' % \
1050 ' '.join(self._children[n].get_name() \
1051 for n in sorted(self._children.keys()))
1052
1053 for param in sorted(self._params.keys()):
1054 value = self._values.get(param)
1055 if value != None:
1056 print >>ini_file, '%s=%s' % (param,
1057 self._values[param].ini_str())
1058
1059 for port_name in sorted(self._ports.keys()):
1060 port = self._port_refs.get(port_name, None)
1061 if port != None:
1062 print >>ini_file, '%s=%s' % (port_name, port.ini_str())
1063
1064 print >>ini_file # blank line between objects
1065
1066 # generate a tree of dictionaries expressing all the parameters in the
1067 # instantiated system for use by scripts that want to do power, thermal
1068 # visualization, and other similar tasks
1069 def get_config_as_dict(self):
1070 d = attrdict()
1071 if hasattr(self, 'type'):
1072 d.type = self.type
1073 if hasattr(self, 'cxx_class'):
1074 d.cxx_class = self.cxx_class
1075 # Add the name and path of this object to be able to link to
1076 # the stats
1077 d.name = self.get_name()
1078 d.path = self.path()
1079
1080 for param in sorted(self._params.keys()):
1081 value = self._values.get(param)
1082 if value != None:
1080 try:
1081 # Use native type for those supported by JSON and
1082 # strings for everything else. skipkeys=True seems
1083 # to not work as well as one would hope
1084 if type(self._values[param].value) in \
1085 [str, unicode, int, long, float, bool, None]:
1086 d[param] = self._values[param].value
1087 else:
1088 d[param] = str(self._values[param])
1083 d[param] = value.config_value()
1089
1084
1090 except AttributeError:
1091 pass
1092
1093 for n in sorted(self._children.keys()):
1094 child = self._children[n]
1095 # Use the name of the attribute (and not get_name()) as
1096 # the key in the JSON dictionary to capture the hierarchy
1097 # in the Python code that assembled this system
1098 d[n] = child.get_config_as_dict()
1099
1100 for port_name in sorted(self._ports.keys()):
1101 port = self._port_refs.get(port_name, None)
1102 if port != None:
1103 # Represent each port with a dictionary containing the
1104 # prominent attributes
1105 d[port_name] = port.get_config_as_dict()
1106
1107 return d
1108
1109 def getCCParams(self):
1110 if self._ccParams:
1111 return self._ccParams
1112
1113 cc_params_struct = getattr(m5.internal.params, '%sParams' % self.type)
1114 cc_params = cc_params_struct()
1115 cc_params.pyobj = self
1116 cc_params.name = str(self)
1117
1118 param_names = self._params.keys()
1119 param_names.sort()
1120 for param in param_names:
1121 value = self._values.get(param)
1122 if value is None:
1123 fatal("%s.%s without default or user set value",
1124 self.path(), param)
1125
1126 value = value.getValue()
1127 if isinstance(self._params[param], VectorParamDesc):
1128 assert isinstance(value, list)
1129 vec = getattr(cc_params, param)
1130 assert not len(vec)
1131 for v in value:
1132 vec.append(v)
1133 else:
1134 setattr(cc_params, param, value)
1135
1136 port_names = self._ports.keys()
1137 port_names.sort()
1138 for port_name in port_names:
1139 port = self._port_refs.get(port_name, None)
1140 if port != None:
1141 port_count = len(port)
1142 else:
1143 port_count = 0
1144 setattr(cc_params, 'port_' + port_name + '_connection_count',
1145 port_count)
1146 self._ccParams = cc_params
1147 return self._ccParams
1148
1149 # Get C++ object corresponding to this object, calling C++ if
1150 # necessary to construct it. Does *not* recursively create
1151 # children.
1152 def getCCObject(self):
1153 if not self._ccObject:
1154 # Make sure this object is in the configuration hierarchy
1155 if not self._parent and not isRoot(self):
1156 raise RuntimeError, "Attempt to instantiate orphan node"
1157 # Cycles in the configuration hierarchy are not supported. This
1158 # will catch the resulting recursion and stop.
1159 self._ccObject = -1
1160 if not self.abstract:
1161 params = self.getCCParams()
1162 self._ccObject = params.create()
1163 elif self._ccObject == -1:
1164 raise RuntimeError, "%s: Cycle found in configuration hierarchy." \
1165 % self.path()
1166 return self._ccObject
1167
1168 def descendants(self):
1169 yield self
1170 for child in self._children.itervalues():
1171 for obj in child.descendants():
1172 yield obj
1173
1174 # Call C++ to create C++ object corresponding to this object
1175 def createCCObject(self):
1176 self.getCCParams()
1177 self.getCCObject() # force creation
1178
1179 def getValue(self):
1180 return self.getCCObject()
1181
1182 # Create C++ port connections corresponding to the connections in
1183 # _port_refs
1184 def connectPorts(self):
1185 for portRef in self._port_refs.itervalues():
1186 portRef.ccConnect()
1187
1188# Function to provide to C++ so it can look up instances based on paths
1189def resolveSimObject(name):
1190 obj = instanceDict[name]
1191 return obj.getCCObject()
1192
1193def isSimObject(value):
1194 return isinstance(value, SimObject)
1195
1196def isSimObjectClass(value):
1197 return issubclass(value, SimObject)
1198
1199def isSimObjectVector(value):
1200 return isinstance(value, SimObjectVector)
1201
1202def isSimObjectSequence(value):
1203 if not isinstance(value, (list, tuple)) or len(value) == 0:
1204 return False
1205
1206 for val in value:
1207 if not isNullPointer(val) and not isSimObject(val):
1208 return False
1209
1210 return True
1211
1212def isSimObjectOrSequence(value):
1213 return isSimObject(value) or isSimObjectSequence(value)
1214
1215def isRoot(obj):
1216 from m5.objects import Root
1217 return obj and obj is Root.getInstance()
1218
1219def isSimObjectOrVector(value):
1220 return isSimObject(value) or isSimObjectVector(value)
1221
1222def tryAsSimObjectOrVector(value):
1223 if isSimObjectOrVector(value):
1224 return value
1225 if isSimObjectSequence(value):
1226 return SimObjectVector(value)
1227 return None
1228
1229def coerceSimObjectOrVector(value):
1230 value = tryAsSimObjectOrVector(value)
1231 if value is None:
1232 raise TypeError, "SimObject or SimObjectVector expected"
1233 return value
1234
1235baseClasses = allClasses.copy()
1236baseInstances = instanceDict.copy()
1237
1238def clear():
1239 global allClasses, instanceDict, noCxxHeader
1240
1241 allClasses = baseClasses.copy()
1242 instanceDict = baseInstances.copy()
1243 noCxxHeader = False
1244
1245# __all__ defines the list of symbols that get exported when
1246# 'from config import *' is invoked. Try to keep this reasonably
1247# short to avoid polluting other namespaces.
1248__all__ = [ 'SimObject' ]
1085 for n in sorted(self._children.keys()):
1086 child = self._children[n]
1087 # Use the name of the attribute (and not get_name()) as
1088 # the key in the JSON dictionary to capture the hierarchy
1089 # in the Python code that assembled this system
1090 d[n] = child.get_config_as_dict()
1091
1092 for port_name in sorted(self._ports.keys()):
1093 port = self._port_refs.get(port_name, None)
1094 if port != None:
1095 # Represent each port with a dictionary containing the
1096 # prominent attributes
1097 d[port_name] = port.get_config_as_dict()
1098
1099 return d
1100
1101 def getCCParams(self):
1102 if self._ccParams:
1103 return self._ccParams
1104
1105 cc_params_struct = getattr(m5.internal.params, '%sParams' % self.type)
1106 cc_params = cc_params_struct()
1107 cc_params.pyobj = self
1108 cc_params.name = str(self)
1109
1110 param_names = self._params.keys()
1111 param_names.sort()
1112 for param in param_names:
1113 value = self._values.get(param)
1114 if value is None:
1115 fatal("%s.%s without default or user set value",
1116 self.path(), param)
1117
1118 value = value.getValue()
1119 if isinstance(self._params[param], VectorParamDesc):
1120 assert isinstance(value, list)
1121 vec = getattr(cc_params, param)
1122 assert not len(vec)
1123 for v in value:
1124 vec.append(v)
1125 else:
1126 setattr(cc_params, param, value)
1127
1128 port_names = self._ports.keys()
1129 port_names.sort()
1130 for port_name in port_names:
1131 port = self._port_refs.get(port_name, None)
1132 if port != None:
1133 port_count = len(port)
1134 else:
1135 port_count = 0
1136 setattr(cc_params, 'port_' + port_name + '_connection_count',
1137 port_count)
1138 self._ccParams = cc_params
1139 return self._ccParams
1140
1141 # Get C++ object corresponding to this object, calling C++ if
1142 # necessary to construct it. Does *not* recursively create
1143 # children.
1144 def getCCObject(self):
1145 if not self._ccObject:
1146 # Make sure this object is in the configuration hierarchy
1147 if not self._parent and not isRoot(self):
1148 raise RuntimeError, "Attempt to instantiate orphan node"
1149 # Cycles in the configuration hierarchy are not supported. This
1150 # will catch the resulting recursion and stop.
1151 self._ccObject = -1
1152 if not self.abstract:
1153 params = self.getCCParams()
1154 self._ccObject = params.create()
1155 elif self._ccObject == -1:
1156 raise RuntimeError, "%s: Cycle found in configuration hierarchy." \
1157 % self.path()
1158 return self._ccObject
1159
1160 def descendants(self):
1161 yield self
1162 for child in self._children.itervalues():
1163 for obj in child.descendants():
1164 yield obj
1165
1166 # Call C++ to create C++ object corresponding to this object
1167 def createCCObject(self):
1168 self.getCCParams()
1169 self.getCCObject() # force creation
1170
1171 def getValue(self):
1172 return self.getCCObject()
1173
1174 # Create C++ port connections corresponding to the connections in
1175 # _port_refs
1176 def connectPorts(self):
1177 for portRef in self._port_refs.itervalues():
1178 portRef.ccConnect()
1179
1180# Function to provide to C++ so it can look up instances based on paths
1181def resolveSimObject(name):
1182 obj = instanceDict[name]
1183 return obj.getCCObject()
1184
1185def isSimObject(value):
1186 return isinstance(value, SimObject)
1187
1188def isSimObjectClass(value):
1189 return issubclass(value, SimObject)
1190
1191def isSimObjectVector(value):
1192 return isinstance(value, SimObjectVector)
1193
1194def isSimObjectSequence(value):
1195 if not isinstance(value, (list, tuple)) or len(value) == 0:
1196 return False
1197
1198 for val in value:
1199 if not isNullPointer(val) and not isSimObject(val):
1200 return False
1201
1202 return True
1203
1204def isSimObjectOrSequence(value):
1205 return isSimObject(value) or isSimObjectSequence(value)
1206
1207def isRoot(obj):
1208 from m5.objects import Root
1209 return obj and obj is Root.getInstance()
1210
1211def isSimObjectOrVector(value):
1212 return isSimObject(value) or isSimObjectVector(value)
1213
1214def tryAsSimObjectOrVector(value):
1215 if isSimObjectOrVector(value):
1216 return value
1217 if isSimObjectSequence(value):
1218 return SimObjectVector(value)
1219 return None
1220
1221def coerceSimObjectOrVector(value):
1222 value = tryAsSimObjectOrVector(value)
1223 if value is None:
1224 raise TypeError, "SimObject or SimObjectVector expected"
1225 return value
1226
1227baseClasses = allClasses.copy()
1228baseInstances = instanceDict.copy()
1229
1230def clear():
1231 global allClasses, instanceDict, noCxxHeader
1232
1233 allClasses = baseClasses.copy()
1234 instanceDict = baseInstances.copy()
1235 noCxxHeader = False
1236
1237# __all__ defines the list of symbols that get exported when
1238# 'from config import *' is invoked. Try to keep this reasonably
1239# short to avoid polluting other namespaces.
1240__all__ = [ 'SimObject' ]