SimObject.py revision 5543
12740SN/A# Copyright (c) 2004-2006 The Regents of The University of Michigan
21046SN/A# All rights reserved.
31046SN/A#
41046SN/A# Redistribution and use in source and binary forms, with or without
51046SN/A# modification, are permitted provided that the following conditions are
61046SN/A# met: redistributions of source code must retain the above copyright
71046SN/A# notice, this list of conditions and the following disclaimer;
81046SN/A# redistributions in binary form must reproduce the above copyright
91046SN/A# notice, this list of conditions and the following disclaimer in the
101046SN/A# documentation and/or other materials provided with the distribution;
111046SN/A# neither the name of the copyright holders nor the names of its
121046SN/A# contributors may be used to endorse or promote products derived from
131046SN/A# this software without specific prior written permission.
141046SN/A#
151046SN/A# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
161046SN/A# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
171046SN/A# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
181046SN/A# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
191046SN/A# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
201046SN/A# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
211046SN/A# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
221046SN/A# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
231046SN/A# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
241046SN/A# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
251046SN/A# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
262665SN/A#
272665SN/A# Authors: Steve Reinhardt
282665SN/A#          Nathan Binkert
291046SN/A
303101Sstever@eecs.umich.eduimport sys, types
311438SN/A
324762Snate@binkert.orgimport proxy
334762Snate@binkert.orgimport m5
343102Sstever@eecs.umich.edufrom util import *
351438SN/A
363102Sstever@eecs.umich.edu# These utility functions have to come first because they're
373102Sstever@eecs.umich.edu# referenced in params.py... otherwise they won't be defined when we
383102Sstever@eecs.umich.edu# import params below, and the recursive import of this file from
393102Sstever@eecs.umich.edu# params.py will not find these names.
403102Sstever@eecs.umich.edudef isSimObject(value):
413102Sstever@eecs.umich.edu    return isinstance(value, SimObject)
423102Sstever@eecs.umich.edu
433102Sstever@eecs.umich.edudef isSimObjectClass(value):
443102Sstever@eecs.umich.edu    return issubclass(value, SimObject)
453102Sstever@eecs.umich.edu
463102Sstever@eecs.umich.edudef isSimObjectSequence(value):
473102Sstever@eecs.umich.edu    if not isinstance(value, (list, tuple)) or len(value) == 0:
483102Sstever@eecs.umich.edu        return False
493102Sstever@eecs.umich.edu
503102Sstever@eecs.umich.edu    for val in value:
513102Sstever@eecs.umich.edu        if not isNullPointer(val) and not isSimObject(val):
523102Sstever@eecs.umich.edu            return False
533102Sstever@eecs.umich.edu
543102Sstever@eecs.umich.edu    return True
553102Sstever@eecs.umich.edu
563102Sstever@eecs.umich.edudef isSimObjectOrSequence(value):
573102Sstever@eecs.umich.edu    return isSimObject(value) or isSimObjectSequence(value)
583102Sstever@eecs.umich.edu
593102Sstever@eecs.umich.edu# Have to import params up top since Param is referenced on initial
603102Sstever@eecs.umich.edu# load (when SimObject class references Param to create a class
613102Sstever@eecs.umich.edu# variable, the 'name' param)...
623102Sstever@eecs.umich.edufrom params import *
633102Sstever@eecs.umich.edu# There are a few things we need that aren't in params.__all__ since
643102Sstever@eecs.umich.edu# normal users don't need them
654762Snate@binkert.orgfrom params import ParamDesc, VectorParamDesc, isNullPointer, SimObjVector
663102Sstever@eecs.umich.edu
671342SN/AnoDot = False
681342SN/Atry:
691378SN/A    import pydot
701342SN/Aexcept:
711378SN/A    noDot = True
72679SN/A
73679SN/A#####################################################################
74679SN/A#
75679SN/A# M5 Python Configuration Utility
76679SN/A#
77679SN/A# The basic idea is to write simple Python programs that build Python
781692SN/A# objects corresponding to M5 SimObjects for the desired simulation
79679SN/A# configuration.  For now, the Python emits a .ini file that can be
80679SN/A# parsed by M5.  In the future, some tighter integration between M5
81679SN/A# and the Python interpreter may allow bypassing the .ini file.
82679SN/A#
83679SN/A# Each SimObject class in M5 is represented by a Python class with the
84679SN/A# same name.  The Python inheritance tree mirrors the M5 C++ tree
85679SN/A# (e.g., SimpleCPU derives from BaseCPU in both cases, and all
86679SN/A# SimObjects inherit from a single SimObject base class).  To specify
87679SN/A# an instance of an M5 SimObject in a configuration, the user simply
88679SN/A# instantiates the corresponding Python object.  The parameters for
89679SN/A# that SimObject are given by assigning to attributes of the Python
90679SN/A# object, either using keyword assignment in the constructor or in
91679SN/A# separate assignment statements.  For example:
92679SN/A#
931692SN/A# cache = BaseCache(size='64KB')
94679SN/A# cache.hit_latency = 3
95679SN/A# cache.assoc = 8
96679SN/A#
97679SN/A# The magic lies in the mapping of the Python attributes for SimObject
98679SN/A# classes to the actual SimObject parameter specifications.  This
99679SN/A# allows parameter validity checking in the Python code.  Continuing
100679SN/A# the example above, the statements "cache.blurfl=3" or
101679SN/A# "cache.assoc='hello'" would both result in runtime errors in Python,
102679SN/A# since the BaseCache object has no 'blurfl' parameter and the 'assoc'
103679SN/A# parameter requires an integer, respectively.  This magic is done
104679SN/A# primarily by overriding the special __setattr__ method that controls
105679SN/A# assignment to object attributes.
106679SN/A#
107679SN/A# Once a set of Python objects have been instantiated in a hierarchy,
108679SN/A# calling 'instantiate(obj)' (where obj is the root of the hierarchy)
1092740SN/A# will generate a .ini file.
110679SN/A#
111679SN/A#####################################################################
112679SN/A
1134762Snate@binkert.org# list of all SimObject classes
1144762Snate@binkert.orgallClasses = {}
1154762Snate@binkert.org
1162738SN/A# dict to look up SimObjects based on path
1172738SN/AinstanceDict = {}
1182738SN/A
1192740SN/A# The metaclass for SimObject.  This class controls how new classes
1202740SN/A# that derive from SimObject are instantiated, and provides inherited
1212740SN/A# class behavior (just like a class controls how instances of that
1222740SN/A# class are instantiated, and provides inherited instance behavior).
1231692SN/Aclass MetaSimObject(type):
1241427SN/A    # Attributes that can be set only at initialization time
1251692SN/A    init_keywords = { 'abstract' : types.BooleanType,
1264762Snate@binkert.org                      'cxx_namespace' : types.StringType,
1274762Snate@binkert.org                      'cxx_class' : types.StringType,
1284762Snate@binkert.org                      'cxx_type' : types.StringType,
1294762Snate@binkert.org                      'cxx_predecls' : types.ListType,
1304859Snate@binkert.org                      'swig_objdecls' : types.ListType,
1314762Snate@binkert.org                      'swig_predecls' : types.ListType,
1321692SN/A                      'type' : types.StringType }
1331427SN/A    # Attributes that can be set any time
1344762Snate@binkert.org    keywords = { 'check' : types.FunctionType }
135679SN/A
136679SN/A    # __new__ is called before __init__, and is where the statements
137679SN/A    # in the body of the class definition get loaded into the class's
1382740SN/A    # __dict__.  We intercept this to filter out parameter & port assignments
139679SN/A    # and only allow "private" attributes to be passed to the base
140679SN/A    # __new__ (starting with underscore).
1411310SN/A    def __new__(mcls, name, bases, dict):
1424762Snate@binkert.org        assert name not in allClasses
1434762Snate@binkert.org
1442740SN/A        # Copy "private" attributes, functions, and classes to the
1452740SN/A        # official dict.  Everything else goes in _init_dict to be
1462740SN/A        # filtered in __init__.
1472740SN/A        cls_dict = {}
1482740SN/A        value_dict = {}
1492740SN/A        for key,val in dict.items():
1502740SN/A            if key.startswith('_') or isinstance(val, (types.FunctionType,
1512740SN/A                                                       types.TypeType)):
1522740SN/A                cls_dict[key] = val
1532740SN/A            else:
1542740SN/A                # must be a param/port setting
1552740SN/A                value_dict[key] = val
1564762Snate@binkert.org        if 'abstract' not in value_dict:
1574762Snate@binkert.org            value_dict['abstract'] = False
1582740SN/A        cls_dict['_value_dict'] = value_dict
1594762Snate@binkert.org        cls = super(MetaSimObject, mcls).__new__(mcls, name, bases, cls_dict)
1604762Snate@binkert.org        if 'type' in value_dict:
1614762Snate@binkert.org            allClasses[name] = cls
1624762Snate@binkert.org        return cls
163679SN/A
1642711SN/A    # subclass initialization
165679SN/A    def __init__(cls, name, bases, dict):
1662711SN/A        # calls type.__init__()... I think that's a no-op, but leave
1672711SN/A        # it here just in case it's not.
1681692SN/A        super(MetaSimObject, cls).__init__(name, bases, dict)
1691310SN/A
1701427SN/A        # initialize required attributes
1712740SN/A
1722740SN/A        # class-only attributes
1732740SN/A        cls._params = multidict() # param descriptions
1742740SN/A        cls._ports = multidict()  # port descriptions
1752740SN/A
1762740SN/A        # class or instance attributes
1772740SN/A        cls._values = multidict()   # param values
1783105Sstever@eecs.umich.edu        cls._port_refs = multidict() # port ref objects
1792740SN/A        cls._instantiated = False # really instantiated, cloned, or subclassed
1801310SN/A
1811692SN/A        # We don't support multiple inheritance.  If you want to, you
1821585SN/A        # must fix multidict to deal with it properly.
1831692SN/A        if len(bases) > 1:
1841692SN/A            raise TypeError, "SimObjects do not support multiple inheritance"
1851692SN/A
1861692SN/A        base = bases[0]
1871692SN/A
1882740SN/A        # Set up general inheritance via multidicts.  A subclass will
1892740SN/A        # inherit all its settings from the base class.  The only time
1902740SN/A        # the following is not true is when we define the SimObject
1912740SN/A        # class itself (in which case the multidicts have no parent).
1921692SN/A        if isinstance(base, MetaSimObject):
1931692SN/A            cls._params.parent = base._params
1942740SN/A            cls._ports.parent = base._ports
1951692SN/A            cls._values.parent = base._values
1963105Sstever@eecs.umich.edu            cls._port_refs.parent = base._port_refs
1972740SN/A            # mark base as having been subclassed
1982712SN/A            base._instantiated = True
1991692SN/A
2004762Snate@binkert.org        # default keyword values
2014762Snate@binkert.org        if 'type' in cls._value_dict:
2024762Snate@binkert.org            _type = cls._value_dict['type']
2034762Snate@binkert.org            if 'cxx_class' not in cls._value_dict:
2044762Snate@binkert.org                cls._value_dict['cxx_class'] = _type
2054762Snate@binkert.org
2064762Snate@binkert.org            namespace = cls._value_dict.get('cxx_namespace', None)
2074762Snate@binkert.org
2084762Snate@binkert.org            _cxx_class = cls._value_dict['cxx_class']
2094762Snate@binkert.org            if 'cxx_type' not in cls._value_dict:
2104762Snate@binkert.org                t = _cxx_class + '*'
2114762Snate@binkert.org                if namespace:
2124762Snate@binkert.org                    t = '%s::%s' % (namespace, t)
2134762Snate@binkert.org                cls._value_dict['cxx_type'] = t
2144762Snate@binkert.org            if 'cxx_predecls' not in cls._value_dict:
2154762Snate@binkert.org                # A forward class declaration is sufficient since we are
2164762Snate@binkert.org                # just declaring a pointer.
2174762Snate@binkert.org                decl = 'class %s;' % _cxx_class
2184762Snate@binkert.org                if namespace:
2195454Sgblack@eecs.umich.edu                    namespaces = namespace.split('::')
2205454Sgblack@eecs.umich.edu                    namespaces.reverse()
2215454Sgblack@eecs.umich.edu                    for namespace in namespaces:
2225454Sgblack@eecs.umich.edu                        decl = 'namespace %s { %s }' % (namespace, decl)
2234762Snate@binkert.org                cls._value_dict['cxx_predecls'] = [decl]
2244762Snate@binkert.org
2254762Snate@binkert.org            if 'swig_predecls' not in cls._value_dict:
2264762Snate@binkert.org                # A forward class declaration is sufficient since we are
2274762Snate@binkert.org                # just declaring a pointer.
2284762Snate@binkert.org                cls._value_dict['swig_predecls'] = \
2294762Snate@binkert.org                    cls._value_dict['cxx_predecls']
2304762Snate@binkert.org
2314859Snate@binkert.org        if 'swig_objdecls' not in cls._value_dict:
2324859Snate@binkert.org            cls._value_dict['swig_objdecls'] = []
2334859Snate@binkert.org
2342740SN/A        # Now process the _value_dict items.  They could be defining
2352740SN/A        # new (or overriding existing) parameters or ports, setting
2362740SN/A        # class keywords (e.g., 'abstract'), or setting parameter
2372740SN/A        # values or port bindings.  The first 3 can only be set when
2382740SN/A        # the class is defined, so we handle them here.  The others
2392740SN/A        # can be set later too, so just emulate that by calling
2402740SN/A        # setattr().
2412740SN/A        for key,val in cls._value_dict.items():
2421527SN/A            # param descriptions
2432740SN/A            if isinstance(val, ParamDesc):
2441585SN/A                cls._new_param(key, val)
2451427SN/A
2462738SN/A            # port objects
2472738SN/A            elif isinstance(val, Port):
2483105Sstever@eecs.umich.edu                cls._new_port(key, val)
2492738SN/A
2501427SN/A            # init-time-only keywords
2511427SN/A            elif cls.init_keywords.has_key(key):
2521427SN/A                cls._set_keyword(key, val, cls.init_keywords[key])
2531427SN/A
2541427SN/A            # default: use normal path (ends up in __setattr__)
2551427SN/A            else:
2561427SN/A                setattr(cls, key, val)
2571427SN/A
2581427SN/A    def _set_keyword(cls, keyword, val, kwtype):
2591427SN/A        if not isinstance(val, kwtype):
2601427SN/A            raise TypeError, 'keyword %s has bad type %s (expecting %s)' % \
2611427SN/A                  (keyword, type(val), kwtype)
2621427SN/A        if isinstance(val, types.FunctionType):
2631427SN/A            val = classmethod(val)
2641427SN/A        type.__setattr__(cls, keyword, val)
2651427SN/A
2663100SN/A    def _new_param(cls, name, pdesc):
2673100SN/A        # each param desc should be uniquely assigned to one variable
2683100SN/A        assert(not hasattr(pdesc, 'name'))
2693100SN/A        pdesc.name = name
2703100SN/A        cls._params[name] = pdesc
2713100SN/A        if hasattr(pdesc, 'default'):
2723105Sstever@eecs.umich.edu            cls._set_param(name, pdesc.default, pdesc)
2733105Sstever@eecs.umich.edu
2743105Sstever@eecs.umich.edu    def _set_param(cls, name, value, param):
2753105Sstever@eecs.umich.edu        assert(param.name == name)
2763105Sstever@eecs.umich.edu        try:
2773105Sstever@eecs.umich.edu            cls._values[name] = param.convert(value)
2783105Sstever@eecs.umich.edu        except Exception, e:
2793105Sstever@eecs.umich.edu            msg = "%s\nError setting param %s.%s to %s\n" % \
2803105Sstever@eecs.umich.edu                  (e, cls.__name__, name, value)
2813105Sstever@eecs.umich.edu            e.args = (msg, )
2823105Sstever@eecs.umich.edu            raise
2833105Sstever@eecs.umich.edu
2843105Sstever@eecs.umich.edu    def _new_port(cls, name, port):
2853105Sstever@eecs.umich.edu        # each port should be uniquely assigned to one variable
2863105Sstever@eecs.umich.edu        assert(not hasattr(port, 'name'))
2873105Sstever@eecs.umich.edu        port.name = name
2883105Sstever@eecs.umich.edu        cls._ports[name] = port
2893105Sstever@eecs.umich.edu        if hasattr(port, 'default'):
2903105Sstever@eecs.umich.edu            cls._cls_get_port_ref(name).connect(port.default)
2913105Sstever@eecs.umich.edu
2923105Sstever@eecs.umich.edu    # same as _get_port_ref, effectively, but for classes
2933105Sstever@eecs.umich.edu    def _cls_get_port_ref(cls, attr):
2943105Sstever@eecs.umich.edu        # Return reference that can be assigned to another port
2953105Sstever@eecs.umich.edu        # via __setattr__.  There is only ever one reference
2963105Sstever@eecs.umich.edu        # object per port, but we create them lazily here.
2973105Sstever@eecs.umich.edu        ref = cls._port_refs.get(attr)
2983105Sstever@eecs.umich.edu        if not ref:
2993105Sstever@eecs.umich.edu            ref = cls._ports[attr].makeRef(cls)
3003105Sstever@eecs.umich.edu            cls._port_refs[attr] = ref
3013105Sstever@eecs.umich.edu        return ref
3021585SN/A
3031310SN/A    # Set attribute (called on foo.attr = value when foo is an
3041310SN/A    # instance of class cls).
3051310SN/A    def __setattr__(cls, attr, value):
3061310SN/A        # normal processing for private attributes
3071310SN/A        if attr.startswith('_'):
3081310SN/A            type.__setattr__(cls, attr, value)
3091310SN/A            return
3101310SN/A
3111310SN/A        if cls.keywords.has_key(attr):
3121427SN/A            cls._set_keyword(attr, value, cls.keywords[attr])
3131310SN/A            return
3141310SN/A
3152738SN/A        if cls._ports.has_key(attr):
3163105Sstever@eecs.umich.edu            cls._cls_get_port_ref(attr).connect(value)
3172738SN/A            return
3182738SN/A
3192740SN/A        if isSimObjectOrSequence(value) and cls._instantiated:
3202740SN/A            raise RuntimeError, \
3212740SN/A                  "cannot set SimObject parameter '%s' after\n" \
3222740SN/A                  "    class %s has been instantiated or subclassed" \
3232740SN/A                  % (attr, cls.__name__)
3242740SN/A
3252740SN/A        # check for param
3263105Sstever@eecs.umich.edu        param = cls._params.get(attr)
3271310SN/A        if param:
3283105Sstever@eecs.umich.edu            cls._set_param(attr, value, param)
3293105Sstever@eecs.umich.edu            return
3303105Sstever@eecs.umich.edu
3313105Sstever@eecs.umich.edu        if isSimObjectOrSequence(value):
3323105Sstever@eecs.umich.edu            # If RHS is a SimObject, it's an implicit child assignment.
3333105Sstever@eecs.umich.edu            # Classes don't have children, so we just put this object
3343105Sstever@eecs.umich.edu            # in _values; later, each instance will do a 'setattr(self,
3353105Sstever@eecs.umich.edu            # attr, _values[attr])' in SimObject.__init__ which will
3363105Sstever@eecs.umich.edu            # add this object as a child.
3372740SN/A            cls._values[attr] = value
3383105Sstever@eecs.umich.edu            return
3393105Sstever@eecs.umich.edu
3403105Sstever@eecs.umich.edu        # no valid assignment... raise exception
3413105Sstever@eecs.umich.edu        raise AttributeError, \
3423105Sstever@eecs.umich.edu              "Class %s has no parameter \'%s\'" % (cls.__name__, attr)
3431310SN/A
3441585SN/A    def __getattr__(cls, attr):
3451692SN/A        if cls._values.has_key(attr):
3461692SN/A            return cls._values[attr]
3471585SN/A
3481585SN/A        raise AttributeError, \
3491585SN/A              "object '%s' has no attribute '%s'" % (cls.__name__, attr)
3501585SN/A
3513100SN/A    def __str__(cls):
3523100SN/A        return cls.__name__
3533100SN/A
3544859Snate@binkert.org    def get_base(cls):
3554859Snate@binkert.org        if str(cls) == 'SimObject':
3564859Snate@binkert.org            return None
3574859Snate@binkert.org
3584859Snate@binkert.org        return  cls.__bases__[0].type
3594859Snate@binkert.org
3603100SN/A    def cxx_decl(cls):
3614762Snate@binkert.org        code = "#ifndef __PARAMS__%s\n" % cls
3624762Snate@binkert.org        code += "#define __PARAMS__%s\n\n" % cls
3634762Snate@binkert.org
3643100SN/A        # The 'dict' attribute restricts us to the params declared in
3653100SN/A        # the object itself, not including inherited params (which
3663100SN/A        # will also be inherited from the base class's param struct
3673100SN/A        # here).
3684762Snate@binkert.org        params = cls._params.local.values()
3693100SN/A        try:
3703100SN/A            ptypes = [p.ptype for p in params]
3713100SN/A        except:
3723100SN/A            print cls, p, p.ptype_str
3733100SN/A            print params
3743100SN/A            raise
3753100SN/A
3763100SN/A        # get a list of lists of predeclaration lines
3774762Snate@binkert.org        predecls = []
3784762Snate@binkert.org        predecls.extend(cls.cxx_predecls)
3794762Snate@binkert.org        for p in params:
3804762Snate@binkert.org            predecls.extend(p.cxx_predecls())
3814762Snate@binkert.org        # remove redundant lines
3824762Snate@binkert.org        predecls2 = []
3834762Snate@binkert.org        for pd in predecls:
3844762Snate@binkert.org            if pd not in predecls2:
3854762Snate@binkert.org                predecls2.append(pd)
3864762Snate@binkert.org        predecls2.sort()
3874762Snate@binkert.org        code += "\n".join(predecls2)
3884762Snate@binkert.org        code += "\n\n";
3894762Snate@binkert.org
3904859Snate@binkert.org        base = cls.get_base()
3914762Snate@binkert.org        if base:
3924762Snate@binkert.org            code += '#include "params/%s.hh"\n\n' % base
3934762Snate@binkert.org
3944762Snate@binkert.org        for ptype in ptypes:
3954762Snate@binkert.org            if issubclass(ptype, Enum):
3964762Snate@binkert.org                code += '#include "enums/%s.hh"\n' % ptype.__name__
3974762Snate@binkert.org                code += "\n\n"
3984762Snate@binkert.org
3995488Snate@binkert.org        code += cls.cxx_struct(base, params)
4005488Snate@binkert.org
4015488Snate@binkert.org        # close #ifndef __PARAMS__* guard
4025488Snate@binkert.org        code += "\n#endif\n"
4035488Snate@binkert.org        return code
4045488Snate@binkert.org
4055488Snate@binkert.org    def cxx_struct(cls, base, params):
4065488Snate@binkert.org        if cls == SimObject:
4075488Snate@binkert.org            return '#include "sim/sim_object_params.hh"\n'
4085488Snate@binkert.org
4094762Snate@binkert.org        # now generate the actual param struct
4105488Snate@binkert.org        code = "struct %sParams" % cls
4114762Snate@binkert.org        if base:
4124762Snate@binkert.org            code += " : public %sParams" % base
4134762Snate@binkert.org        code += "\n{\n"
4144762Snate@binkert.org        if not hasattr(cls, 'abstract') or not cls.abstract:
4154762Snate@binkert.org            if 'type' in cls.__dict__:
4164762Snate@binkert.org                code += "    %s create();\n" % cls.cxx_type
4174762Snate@binkert.org        decls = [p.cxx_decl() for p in params]
4184762Snate@binkert.org        decls.sort()
4194762Snate@binkert.org        code += "".join(["    %s\n" % d for d in decls])
4204762Snate@binkert.org        code += "};\n"
4214762Snate@binkert.org
4224762Snate@binkert.org        return code
4234762Snate@binkert.org
4244762Snate@binkert.org    def cxx_type_decl(cls):
4254859Snate@binkert.org        base = cls.get_base()
4264762Snate@binkert.org        code = ''
4274762Snate@binkert.org
4284762Snate@binkert.org        if base:
4294762Snate@binkert.org            code += '#include "%s_type.h"\n' % base
4304762Snate@binkert.org
4314762Snate@binkert.org        # now generate dummy code for inheritance
4324762Snate@binkert.org        code += "struct %s" % cls.cxx_class
4334762Snate@binkert.org        if base:
4344762Snate@binkert.org            code += " : public %s" % base.cxx_class
4354762Snate@binkert.org        code += "\n{};\n"
4364762Snate@binkert.org
4374762Snate@binkert.org        return code
4384762Snate@binkert.org
4394762Snate@binkert.org    def swig_decl(cls):
4404859Snate@binkert.org        base = cls.get_base()
4414859Snate@binkert.org
4424762Snate@binkert.org        code = '%%module %s\n' % cls
4434762Snate@binkert.org
4444762Snate@binkert.org        code += '%{\n'
4454762Snate@binkert.org        code += '#include "params/%s.hh"\n' % cls
4464762Snate@binkert.org        code += '%}\n\n'
4474762Snate@binkert.org
4484762Snate@binkert.org        # The 'dict' attribute restricts us to the params declared in
4494762Snate@binkert.org        # the object itself, not including inherited params (which
4504762Snate@binkert.org        # will also be inherited from the base class's param struct
4514762Snate@binkert.org        # here).
4524762Snate@binkert.org        params = cls._params.local.values()
4534762Snate@binkert.org        ptypes = [p.ptype for p in params]
4544762Snate@binkert.org
4554762Snate@binkert.org        # get a list of lists of predeclaration lines
4564762Snate@binkert.org        predecls = []
4574762Snate@binkert.org        predecls.extend([ p.swig_predecls() for p in params ])
4583100SN/A        # flatten
4593100SN/A        predecls = reduce(lambda x,y:x+y, predecls, [])
4603100SN/A        # remove redundant lines
4613100SN/A        predecls2 = []
4623100SN/A        for pd in predecls:
4633100SN/A            if pd not in predecls2:
4643100SN/A                predecls2.append(pd)
4653100SN/A        predecls2.sort()
4663100SN/A        code += "\n".join(predecls2)
4673100SN/A        code += "\n\n";
4683100SN/A
4693100SN/A        if base:
4704762Snate@binkert.org            code += '%%import "params/%s.i"\n\n' % base
4713100SN/A
4724762Snate@binkert.org        for ptype in ptypes:
4734762Snate@binkert.org            if issubclass(ptype, Enum):
4744762Snate@binkert.org                code += '%%import "enums/%s.hh"\n' % ptype.__name__
4754762Snate@binkert.org                code += "\n\n"
4763100SN/A
4774762Snate@binkert.org        code += '%%import "params/%s_type.hh"\n\n' % cls
4783100SN/A        code += '%%include "params/%s.hh"\n\n' % cls
4793100SN/A
4803100SN/A        return code
4813100SN/A
4822740SN/A# The SimObject class is the root of the special hierarchy.  Most of
483679SN/A# the code in this class deals with the configuration hierarchy itself
484679SN/A# (parent/child node relationships).
4851692SN/Aclass SimObject(object):
4861692SN/A    # Specify metaclass.  Any class inheriting from SimObject will
487679SN/A    # get this metaclass.
4881692SN/A    __metaclass__ = MetaSimObject
4893100SN/A    type = 'SimObject'
4904762Snate@binkert.org    abstract = True
4913100SN/A
4924859Snate@binkert.org    swig_objdecls = [ '%include "python/swig/sim_object.i"' ]
493679SN/A
4942740SN/A    # Initialize new instance.  For objects with SimObject-valued
4952740SN/A    # children, we need to recursively clone the classes represented
4962740SN/A    # by those param values as well in a consistent "deep copy"-style
4972740SN/A    # fashion.  That is, we want to make sure that each instance is
4982740SN/A    # cloned only once, and that if there are multiple references to
4992740SN/A    # the same original object, we end up with the corresponding
5002740SN/A    # cloned references all pointing to the same cloned instance.
5012740SN/A    def __init__(self, **kwargs):
5022740SN/A        ancestor = kwargs.get('_ancestor')
5032740SN/A        memo_dict = kwargs.get('_memo')
5042740SN/A        if memo_dict is None:
5052740SN/A            # prepare to memoize any recursively instantiated objects
5062740SN/A            memo_dict = {}
5072740SN/A        elif ancestor:
5082740SN/A            # memoize me now to avoid problems with recursive calls
5092740SN/A            memo_dict[ancestor] = self
5102711SN/A
5112740SN/A        if not ancestor:
5122740SN/A            ancestor = self.__class__
5132740SN/A        ancestor._instantiated = True
5142711SN/A
5152740SN/A        # initialize required attributes
5162740SN/A        self._parent = None
5172740SN/A        self._children = {}
5182740SN/A        self._ccObject = None  # pointer to C++ object
5194762Snate@binkert.org        self._ccParams = None
5202740SN/A        self._instantiated = False # really "cloned"
5212712SN/A
5222711SN/A        # Inherit parameter values from class using multidict so
5232711SN/A        # individual value settings can be overridden.
5242740SN/A        self._values = multidict(ancestor._values)
5252740SN/A        # clone SimObject-valued parameters
5262740SN/A        for key,val in ancestor._values.iteritems():
5272740SN/A            if isSimObject(val):
5282740SN/A                setattr(self, key, val(_memo=memo_dict))
5292740SN/A            elif isSimObjectSequence(val) and len(val):
5302740SN/A                setattr(self, key, [ v(_memo=memo_dict) for v in val ])
5312740SN/A        # clone port references.  no need to use a multidict here
5322740SN/A        # since we will be creating new references for all ports.
5333105Sstever@eecs.umich.edu        self._port_refs = {}
5343105Sstever@eecs.umich.edu        for key,val in ancestor._port_refs.iteritems():
5353105Sstever@eecs.umich.edu            self._port_refs[key] = val.clone(self, memo_dict)
5361692SN/A        # apply attribute assignments from keyword args, if any
5371692SN/A        for key,val in kwargs.iteritems():
5381692SN/A            setattr(self, key, val)
539679SN/A
5402740SN/A    # "Clone" the current instance by creating another instance of
5412740SN/A    # this instance's class, but that inherits its parameter values
5422740SN/A    # and port mappings from the current instance.  If we're in a
5432740SN/A    # "deep copy" recursive clone, check the _memo dict to see if
5442740SN/A    # we've already cloned this instance.
5451692SN/A    def __call__(self, **kwargs):
5462740SN/A        memo_dict = kwargs.get('_memo')
5472740SN/A        if memo_dict is None:
5482740SN/A            # no memo_dict: must be top-level clone operation.
5492740SN/A            # this is only allowed at the root of a hierarchy
5502740SN/A            if self._parent:
5512740SN/A                raise RuntimeError, "attempt to clone object %s " \
5522740SN/A                      "not at the root of a tree (parent = %s)" \
5532740SN/A                      % (self, self._parent)
5542740SN/A            # create a new dict and use that.
5552740SN/A            memo_dict = {}
5562740SN/A            kwargs['_memo'] = memo_dict
5572740SN/A        elif memo_dict.has_key(self):
5582740SN/A            # clone already done & memoized
5592740SN/A            return memo_dict[self]
5602740SN/A        return self.__class__(_ancestor = self, **kwargs)
5611343SN/A
5623105Sstever@eecs.umich.edu    def _get_port_ref(self, attr):
5633105Sstever@eecs.umich.edu        # Return reference that can be assigned to another port
5643105Sstever@eecs.umich.edu        # via __setattr__.  There is only ever one reference
5653105Sstever@eecs.umich.edu        # object per port, but we create them lazily here.
5663105Sstever@eecs.umich.edu        ref = self._port_refs.get(attr)
5673105Sstever@eecs.umich.edu        if not ref:
5683105Sstever@eecs.umich.edu            ref = self._ports[attr].makeRef(self)
5693105Sstever@eecs.umich.edu            self._port_refs[attr] = ref
5703105Sstever@eecs.umich.edu        return ref
5713105Sstever@eecs.umich.edu
5721692SN/A    def __getattr__(self, attr):
5732738SN/A        if self._ports.has_key(attr):
5743105Sstever@eecs.umich.edu            return self._get_port_ref(attr)
5752738SN/A
5761692SN/A        if self._values.has_key(attr):
5771692SN/A            return self._values[attr]
5781427SN/A
5791692SN/A        raise AttributeError, "object '%s' has no attribute '%s'" \
5801692SN/A              % (self.__class__.__name__, attr)
5811427SN/A
5821692SN/A    # Set attribute (called on foo.attr = value when foo is an
5831692SN/A    # instance of class cls).
5841692SN/A    def __setattr__(self, attr, value):
5851692SN/A        # normal processing for private attributes
5861692SN/A        if attr.startswith('_'):
5871692SN/A            object.__setattr__(self, attr, value)
5881692SN/A            return
5891427SN/A
5902738SN/A        if self._ports.has_key(attr):
5912738SN/A            # set up port connection
5923105Sstever@eecs.umich.edu            self._get_port_ref(attr).connect(value)
5932738SN/A            return
5942738SN/A
5952740SN/A        if isSimObjectOrSequence(value) and self._instantiated:
5962740SN/A            raise RuntimeError, \
5972740SN/A                  "cannot set SimObject parameter '%s' after\n" \
5982740SN/A                  "    instance been cloned %s" % (attr, `self`)
5992740SN/A
6001692SN/A        # must be SimObject param
6013105Sstever@eecs.umich.edu        param = self._params.get(attr)
6021692SN/A        if param:
6031310SN/A            try:
6041692SN/A                value = param.convert(value)
6051587SN/A            except Exception, e:
6061692SN/A                msg = "%s\nError setting param %s.%s to %s\n" % \
6071692SN/A                      (e, self.__class__.__name__, attr, value)
6081605SN/A                e.args = (msg, )
6091605SN/A                raise
6103105Sstever@eecs.umich.edu            self._set_child(attr, value)
6113105Sstever@eecs.umich.edu            return
6121310SN/A
6133105Sstever@eecs.umich.edu        if isSimObjectOrSequence(value):
6143105Sstever@eecs.umich.edu            self._set_child(attr, value)
6153105Sstever@eecs.umich.edu            return
6161693SN/A
6173105Sstever@eecs.umich.edu        # no valid assignment... raise exception
6183105Sstever@eecs.umich.edu        raise AttributeError, "Class %s has no parameter %s" \
6193105Sstever@eecs.umich.edu              % (self.__class__.__name__, attr)
6201310SN/A
6211310SN/A
6221692SN/A    # this hack allows tacking a '[0]' onto parameters that may or may
6231692SN/A    # not be vectors, and always getting the first element (e.g. cpus)
6241692SN/A    def __getitem__(self, key):
6251692SN/A        if key == 0:
6261692SN/A            return self
6271692SN/A        raise TypeError, "Non-zero index '%s' to SimObject" % key
6281310SN/A
6291693SN/A    # clear out children with given name, even if it's a vector
6301693SN/A    def clear_child(self, name):
6311693SN/A        if not self._children.has_key(name):
6321693SN/A            return
6331693SN/A        child = self._children[name]
6341693SN/A        if isinstance(child, SimObjVector):
6351693SN/A            for i in xrange(len(child)):
6361693SN/A                del self._children["s%d" % (name, i)]
6371693SN/A        del self._children[name]
6381693SN/A
6391692SN/A    def add_child(self, name, value):
6401692SN/A        self._children[name] = value
6411310SN/A
6423105Sstever@eecs.umich.edu    def _maybe_set_parent(self, parent, name):
6432740SN/A        if not self._parent:
6441692SN/A            self._parent = parent
6451692SN/A            self._name = name
6461692SN/A            parent.add_child(name, self)
6471310SN/A
6483105Sstever@eecs.umich.edu    def _set_child(self, attr, value):
6493105Sstever@eecs.umich.edu        # if RHS is a SimObject, it's an implicit child assignment
6503105Sstever@eecs.umich.edu        # clear out old child with this name, if any
6513105Sstever@eecs.umich.edu        self.clear_child(attr)
6523105Sstever@eecs.umich.edu
6533105Sstever@eecs.umich.edu        if isSimObject(value):
6543105Sstever@eecs.umich.edu            value._maybe_set_parent(self, attr)
6553105Sstever@eecs.umich.edu        elif isSimObjectSequence(value):
6563105Sstever@eecs.umich.edu            value = SimObjVector(value)
6574762Snate@binkert.org            if len(value) == 1:
6584762Snate@binkert.org                value[0]._maybe_set_parent(self, attr)
6594762Snate@binkert.org            else:
6604762Snate@binkert.org                for i,v in enumerate(value):
6614762Snate@binkert.org                    v._maybe_set_parent(self, "%s%d" % (attr, i))
6623105Sstever@eecs.umich.edu
6633105Sstever@eecs.umich.edu        self._values[attr] = value
6643105Sstever@eecs.umich.edu
6651692SN/A    def path(self):
6662740SN/A        if not self._parent:
6671692SN/A            return 'root'
6681692SN/A        ppath = self._parent.path()
6691692SN/A        if ppath == 'root':
6701692SN/A            return self._name
6711692SN/A        return ppath + "." + self._name
6721310SN/A
6731692SN/A    def __str__(self):
6741692SN/A        return self.path()
6751310SN/A
6761692SN/A    def ini_str(self):
6771692SN/A        return self.path()
6781310SN/A
6791692SN/A    def find_any(self, ptype):
6801692SN/A        if isinstance(self, ptype):
6811692SN/A            return self, True
6821310SN/A
6831692SN/A        found_obj = None
6841692SN/A        for child in self._children.itervalues():
6851692SN/A            if isinstance(child, ptype):
6861692SN/A                if found_obj != None and child != found_obj:
6871692SN/A                    raise AttributeError, \
6881692SN/A                          'parent.any matched more than one: %s %s' % \
6891814SN/A                          (found_obj.path, child.path)
6901692SN/A                found_obj = child
6911692SN/A        # search param space
6921692SN/A        for pname,pdesc in self._params.iteritems():
6931692SN/A            if issubclass(pdesc.ptype, ptype):
6941692SN/A                match_obj = self._values[pname]
6951692SN/A                if found_obj != None and found_obj != match_obj:
6961692SN/A                    raise AttributeError, \
6971692SN/A                          'parent.any matched more than one: %s' % obj.path
6981692SN/A                found_obj = match_obj
6991692SN/A        return found_obj, found_obj != None
7001692SN/A
7011815SN/A    def unproxy(self, base):
7021815SN/A        return self
7031815SN/A
7043105Sstever@eecs.umich.edu    def unproxy_all(self):
7053105Sstever@eecs.umich.edu        for param in self._params.iterkeys():
7063105Sstever@eecs.umich.edu            value = self._values.get(param)
7073105Sstever@eecs.umich.edu            if value != None and proxy.isproxy(value):
7083105Sstever@eecs.umich.edu                try:
7093105Sstever@eecs.umich.edu                    value = value.unproxy(self)
7103105Sstever@eecs.umich.edu                except:
7113105Sstever@eecs.umich.edu                    print "Error in unproxying param '%s' of %s" % \
7123105Sstever@eecs.umich.edu                          (param, self.path())
7133105Sstever@eecs.umich.edu                    raise
7143105Sstever@eecs.umich.edu                setattr(self, param, value)
7153105Sstever@eecs.umich.edu
7163107Sstever@eecs.umich.edu        # Unproxy ports in sorted order so that 'append' operations on
7173107Sstever@eecs.umich.edu        # vector ports are done in a deterministic fashion.
7183107Sstever@eecs.umich.edu        port_names = self._ports.keys()
7193107Sstever@eecs.umich.edu        port_names.sort()
7203107Sstever@eecs.umich.edu        for port_name in port_names:
7213105Sstever@eecs.umich.edu            port = self._port_refs.get(port_name)
7223105Sstever@eecs.umich.edu            if port != None:
7233105Sstever@eecs.umich.edu                port.unproxy(self)
7243105Sstever@eecs.umich.edu
7253107Sstever@eecs.umich.edu        # Unproxy children in sorted order for determinism also.
7263107Sstever@eecs.umich.edu        child_names = self._children.keys()
7273107Sstever@eecs.umich.edu        child_names.sort()
7283107Sstever@eecs.umich.edu        for child in child_names:
7293107Sstever@eecs.umich.edu            self._children[child].unproxy_all()
7303105Sstever@eecs.umich.edu
7315037Smilesck@eecs.umich.edu    def print_ini(self, ini_file):
7325543Ssaidi@eecs.umich.edu        print >>ini_file, '[' + self.path() + ']'       # .ini section header
7331692SN/A
7342738SN/A        instanceDict[self.path()] = self
7352738SN/A
7364081Sbinkertn@umich.edu        if hasattr(self, 'type'):
7375037Smilesck@eecs.umich.edu            print >>ini_file, 'type=%s' % self.type
7381692SN/A
7391692SN/A        child_names = self._children.keys()
7401692SN/A        child_names.sort()
7414081Sbinkertn@umich.edu        if len(child_names):
7425037Smilesck@eecs.umich.edu            print >>ini_file, 'children=%s' % ' '.join(child_names)
7431692SN/A
7441692SN/A        param_names = self._params.keys()
7451692SN/A        param_names.sort()
7461692SN/A        for param in param_names:
7473105Sstever@eecs.umich.edu            value = self._values.get(param)
7481692SN/A            if value != None:
7495037Smilesck@eecs.umich.edu                print >>ini_file, '%s=%s' % (param,
7505037Smilesck@eecs.umich.edu                                             self._values[param].ini_str())
7511692SN/A
7523103Sstever@eecs.umich.edu        port_names = self._ports.keys()
7533103Sstever@eecs.umich.edu        port_names.sort()
7543103Sstever@eecs.umich.edu        for port_name in port_names:
7553105Sstever@eecs.umich.edu            port = self._port_refs.get(port_name, None)
7563105Sstever@eecs.umich.edu            if port != None:
7575037Smilesck@eecs.umich.edu                print >>ini_file, '%s=%s' % (port_name, port.ini_str())
7583103Sstever@eecs.umich.edu
7595543Ssaidi@eecs.umich.edu        print >>ini_file        # blank line between objects
7601692SN/A
7611692SN/A        for child in child_names:
7625037Smilesck@eecs.umich.edu            self._children[child].print_ini(ini_file)
7631692SN/A
7644762Snate@binkert.org    def getCCParams(self):
7654762Snate@binkert.org        if self._ccParams:
7664762Snate@binkert.org            return self._ccParams
7674762Snate@binkert.org
7685033Smilesck@eecs.umich.edu        cc_params_struct = getattr(m5.objects.params, '%sParams' % self.type)
7694762Snate@binkert.org        cc_params = cc_params_struct()
7705488Snate@binkert.org        cc_params.pyobj = self
7714762Snate@binkert.org        cc_params.name = str(self)
7724762Snate@binkert.org
7734762Snate@binkert.org        param_names = self._params.keys()
7744762Snate@binkert.org        param_names.sort()
7754762Snate@binkert.org        for param in param_names:
7764762Snate@binkert.org            value = self._values.get(param)
7774762Snate@binkert.org            if value is None:
7784762Snate@binkert.org                continue
7794762Snate@binkert.org
7804762Snate@binkert.org            value = value.getValue()
7814762Snate@binkert.org            if isinstance(self._params[param], VectorParamDesc):
7824762Snate@binkert.org                assert isinstance(value, list)
7834762Snate@binkert.org                vec = getattr(cc_params, param)
7844762Snate@binkert.org                assert not len(vec)
7854762Snate@binkert.org                for v in value:
7864762Snate@binkert.org                    vec.append(v)
7874762Snate@binkert.org            else:
7884762Snate@binkert.org                setattr(cc_params, param, value)
7894762Snate@binkert.org
7904762Snate@binkert.org        port_names = self._ports.keys()
7914762Snate@binkert.org        port_names.sort()
7924762Snate@binkert.org        for port_name in port_names:
7934762Snate@binkert.org            port = self._port_refs.get(port_name, None)
7944762Snate@binkert.org            if port != None:
7954762Snate@binkert.org                setattr(cc_params, port_name, port)
7964762Snate@binkert.org        self._ccParams = cc_params
7974762Snate@binkert.org        return self._ccParams
7982738SN/A
7992740SN/A    # Get C++ object corresponding to this object, calling C++ if
8002740SN/A    # necessary to construct it.  Does *not* recursively create
8012740SN/A    # children.
8022740SN/A    def getCCObject(self):
8032740SN/A        if not self._ccObject:
8045244Sgblack@eecs.umich.edu            # Cycles in the configuration heirarchy are not supported. This
8055244Sgblack@eecs.umich.edu            # will catch the resulting recursion and stop.
8065244Sgblack@eecs.umich.edu            self._ccObject = -1
8075244Sgblack@eecs.umich.edu            params = self.getCCParams()
8084762Snate@binkert.org            self._ccObject = params.create()
8092740SN/A        elif self._ccObject == -1:
8105244Sgblack@eecs.umich.edu            raise RuntimeError, "%s: Cycle found in configuration heirarchy." \
8112740SN/A                  % self.path()
8122740SN/A        return self._ccObject
8132740SN/A
8144762Snate@binkert.org    # Call C++ to create C++ object corresponding to this object and
8154762Snate@binkert.org    # (recursively) all its children
8164762Snate@binkert.org    def createCCObject(self):
8174762Snate@binkert.org        self.getCCParams()
8184762Snate@binkert.org        self.getCCObject() # force creation
8194762Snate@binkert.org        for child in self._children.itervalues():
8204762Snate@binkert.org            child.createCCObject()
8214762Snate@binkert.org
8224762Snate@binkert.org    def getValue(self):
8234762Snate@binkert.org        return self.getCCObject()
8244762Snate@binkert.org
8252738SN/A    # Create C++ port connections corresponding to the connections in
8263105Sstever@eecs.umich.edu    # _port_refs (& recursively for all children)
8272738SN/A    def connectPorts(self):
8283105Sstever@eecs.umich.edu        for portRef in self._port_refs.itervalues():
8293105Sstever@eecs.umich.edu            portRef.ccConnect()
8302738SN/A        for child in self._children.itervalues():
8312738SN/A            child.connectPorts()
8322738SN/A
8332839SN/A    def startDrain(self, drain_event, recursive):
8342797SN/A        count = 0
8354081Sbinkertn@umich.edu        if isinstance(self, SimObject):
8362901SN/A            count += self._ccObject.drain(drain_event)
8372797SN/A        if recursive:
8382797SN/A            for child in self._children.itervalues():
8392839SN/A                count += child.startDrain(drain_event, True)
8402797SN/A        return count
8412797SN/A
8422797SN/A    def resume(self):
8434081Sbinkertn@umich.edu        if isinstance(self, SimObject):
8442797SN/A            self._ccObject.resume()
8452797SN/A        for child in self._children.itervalues():
8462797SN/A            child.resume()
8472797SN/A
8484553Sbinkertn@umich.edu    def getMemoryMode(self):
8494553Sbinkertn@umich.edu        if not isinstance(self, m5.objects.System):
8504553Sbinkertn@umich.edu            return None
8514553Sbinkertn@umich.edu
8524859Snate@binkert.org        return self._ccObject.getMemoryMode()
8534553Sbinkertn@umich.edu
8542797SN/A    def changeTiming(self, mode):
8553202Shsul@eecs.umich.edu        if isinstance(self, m5.objects.System):
8563202Shsul@eecs.umich.edu            # i don't know if there's a better way to do this - calling
8573202Shsul@eecs.umich.edu            # setMemoryMode directly from self._ccObject results in calling
8583202Shsul@eecs.umich.edu            # SimObject::setMemoryMode, not the System::setMemoryMode
8594859Snate@binkert.org            self._ccObject.setMemoryMode(mode)
8602797SN/A        for child in self._children.itervalues():
8612797SN/A            child.changeTiming(mode)
8622797SN/A
8632797SN/A    def takeOverFrom(self, old_cpu):
8644859Snate@binkert.org        self._ccObject.takeOverFrom(old_cpu._ccObject)
8652797SN/A
8661692SN/A    # generate output file for 'dot' to display as a pretty graph.
8671692SN/A    # this code is currently broken.
8681342SN/A    def outputDot(self, dot):
8691342SN/A        label = "{%s|" % self.path
8701342SN/A        if isSimObject(self.realtype):
8711342SN/A            label +=  '%s|' % self.type
8721342SN/A
8731342SN/A        if self.children:
8741342SN/A            # instantiate children in same order they were added for
8751342SN/A            # backward compatibility (else we can end up with cpu1
8761342SN/A            # before cpu0).
8771342SN/A            for c in self.children:
8781342SN/A                dot.add_edge(pydot.Edge(self.path,c.path, style="bold"))
8791342SN/A
8801342SN/A        simobjs = []
8811342SN/A        for param in self.params:
8821342SN/A            try:
8831342SN/A                if param.value is None:
8841342SN/A                    raise AttributeError, 'Parameter with no value'
8851342SN/A
8861692SN/A                value = param.value
8871342SN/A                string = param.string(value)
8881587SN/A            except Exception, e:
8891605SN/A                msg = 'exception in %s:%s\n%s' % (self.name, param.name, e)
8901605SN/A                e.args = (msg, )
8911342SN/A                raise
8921605SN/A
8931692SN/A            if isSimObject(param.ptype) and string != "Null":
8941342SN/A                simobjs.append(string)
8951342SN/A            else:
8961342SN/A                label += '%s = %s\\n' % (param.name, string)
8971342SN/A
8981342SN/A        for so in simobjs:
8991342SN/A            label += "|<%s> %s" % (so, so)
9001587SN/A            dot.add_edge(pydot.Edge("%s:%s" % (self.path, so), so,
9011587SN/A                                    tailport="w"))
9021342SN/A        label += '}'
9031342SN/A        dot.add_node(pydot.Node(self.path,shape="Mrecord",label=label))
9041342SN/A
9051342SN/A        # recursively dump out children
9061342SN/A        for c in self.children:
9071342SN/A            c.outputDot(dot)
9081342SN/A
9093101Sstever@eecs.umich.edu# Function to provide to C++ so it can look up instances based on paths
9103101Sstever@eecs.umich.edudef resolveSimObject(name):
9113101Sstever@eecs.umich.edu    obj = instanceDict[name]
9123101Sstever@eecs.umich.edu    return obj.getCCObject()
913679SN/A
9141528SN/A# __all__ defines the list of symbols that get exported when
9151528SN/A# 'from config import *' is invoked.  Try to keep this reasonably
9161528SN/A# short to avoid polluting other namespaces.
9174762Snate@binkert.org__all__ = [ 'SimObject' ]
918