SConscript revision 5799
1955SN/A# -*- mode:python -*-
2955SN/A
31762SN/A# Copyright (c) 2004-2005 The Regents of The University of Michigan
4955SN/A# All rights reserved.
5955SN/A#
6955SN/A# Redistribution and use in source and binary forms, with or without
7955SN/A# modification, are permitted provided that the following conditions are
8955SN/A# met: redistributions of source code must retain the above copyright
9955SN/A# notice, this list of conditions and the following disclaimer;
10955SN/A# redistributions in binary form must reproduce the above copyright
11955SN/A# notice, this list of conditions and the following disclaimer in the
12955SN/A# documentation and/or other materials provided with the distribution;
13955SN/A# neither the name of the copyright holders nor the names of its
14955SN/A# contributors may be used to endorse or promote products derived from
15955SN/A# this software without specific prior written permission.
16955SN/A#
17955SN/A# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
18955SN/A# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
19955SN/A# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
20955SN/A# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
21955SN/A# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
22955SN/A# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
23955SN/A# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
24955SN/A# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
25955SN/A# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
26955SN/A# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
27955SN/A# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
282665Ssaidi@eecs.umich.edu#
294762Snate@binkert.org# Authors: Nathan Binkert
30955SN/A
315522Snate@binkert.orgimport array
326143Snate@binkert.orgimport imp
334762Snate@binkert.orgimport marshal
345522Snate@binkert.orgimport os
35955SN/Aimport re
365522Snate@binkert.orgimport sys
37955SN/Aimport zlib
385522Snate@binkert.org
394202Sbinkertn@umich.edufrom os.path import basename, dirname, exists, isdir, isfile, join as joinpath
405742Snate@binkert.org
41955SN/Aimport SCons
424381Sbinkertn@umich.edu
434381Sbinkertn@umich.edu# This file defines how to build a particular configuration of M5
448334Snate@binkert.org# based on variable settings in the 'env' build environment.
45955SN/A
46955SN/AImport('*')
474202Sbinkertn@umich.edu
48955SN/A# Children need to see the environment
494382Sbinkertn@umich.eduExport('env')
504382Sbinkertn@umich.edu
514382Sbinkertn@umich.edubuild_env = dict([(opt, env[opt]) for opt in env.ExportOptions])
526654Snate@binkert.org
535517Snate@binkert.orgdef sort_list(_list):
548614Sgblack@eecs.umich.edu    """return a sorted copy of '_list'"""
557674Snate@binkert.org    if isinstance(_list, list):
566143Snate@binkert.org        _list = _list[:]
576143Snate@binkert.org    else:
586143Snate@binkert.org        _list = list(_list)
598233Snate@binkert.org    _list.sort()
608233Snate@binkert.org    return _list
618233Snate@binkert.org
628233Snate@binkert.orgclass PySourceFile(object):
638233Snate@binkert.org    invalid_sym_char = re.compile('[^A-z0-9_]')
648334Snate@binkert.org    def __init__(self, package, tnode):
658334Snate@binkert.org        snode = tnode.srcnode()
6610453SAndrew.Bardsley@arm.com        filename = str(tnode)
6710453SAndrew.Bardsley@arm.com        pyname = basename(filename)
688233Snate@binkert.org        assert pyname.endswith('.py')
698233Snate@binkert.org        name = pyname[:-3]
708233Snate@binkert.org        if package:
718233Snate@binkert.org            path = package.split('.')
728233Snate@binkert.org        else:
738233Snate@binkert.org            path = []
746143Snate@binkert.org
758233Snate@binkert.org        modpath = path[:]
768233Snate@binkert.org        if name != '__init__':
778233Snate@binkert.org            modpath += [name]
786143Snate@binkert.org        modpath = '.'.join(modpath)
796143Snate@binkert.org
806143Snate@binkert.org        arcpath = path + [ pyname ]
8111308Santhony.gutierrez@amd.com        arcname = joinpath(*arcpath)
828233Snate@binkert.org
838233Snate@binkert.org        debugname = snode.abspath
848233Snate@binkert.org        if not exists(debugname):
856143Snate@binkert.org            debugname = tnode.abspath
868233Snate@binkert.org
878233Snate@binkert.org        self.tnode = tnode
888233Snate@binkert.org        self.snode = snode
898233Snate@binkert.org        self.pyname = pyname
906143Snate@binkert.org        self.package = package
916143Snate@binkert.org        self.modpath = modpath
926143Snate@binkert.org        self.arcname = arcname
934762Snate@binkert.org        self.debugname = debugname
946143Snate@binkert.org        self.compiled = File(filename + 'c')
958233Snate@binkert.org        self.assembly = File(filename + '.s')
968233Snate@binkert.org        self.symname = "PyEMB_" + self.invalid_sym_char.sub('_', modpath)
978233Snate@binkert.org        
988233Snate@binkert.org
998233Snate@binkert.org########################################################################
1006143Snate@binkert.org# Code for adding source files of various types
1018233Snate@binkert.org#
1028233Snate@binkert.orgcc_lib_sources = []
1038233Snate@binkert.orgdef Source(source):
1048233Snate@binkert.org    '''Add a source file to the libm5 build'''
1056143Snate@binkert.org    if not isinstance(source, SCons.Node.FS.File):
1066143Snate@binkert.org        source = File(source)
1076143Snate@binkert.org
1086143Snate@binkert.org    cc_lib_sources.append(source)
1096143Snate@binkert.org
1106143Snate@binkert.orgcc_bin_sources = []
1116143Snate@binkert.orgdef BinSource(source):
1126143Snate@binkert.org    '''Add a source file to the m5 binary build'''
1136143Snate@binkert.org    if not isinstance(source, SCons.Node.FS.File):
1147065Snate@binkert.org        source = File(source)
1156143Snate@binkert.org
1168233Snate@binkert.org    cc_bin_sources.append(source)
1178233Snate@binkert.org
1188233Snate@binkert.orgpy_sources = []
1198233Snate@binkert.orgdef PySource(package, source):
1208233Snate@binkert.org    '''Add a python source file to the named package'''
1218233Snate@binkert.org    if not isinstance(source, SCons.Node.FS.File):
1228233Snate@binkert.org        source = File(source)
1238233Snate@binkert.org
1248233Snate@binkert.org    source = PySourceFile(package, source)
1258233Snate@binkert.org    py_sources.append(source)
1268233Snate@binkert.org
1278233Snate@binkert.orgsim_objects_fixed = False
1288233Snate@binkert.orgsim_object_modfiles = set()
1298233Snate@binkert.orgdef SimObject(source):
1308233Snate@binkert.org    '''Add a SimObject python file as a python source object and add
1318233Snate@binkert.org    it to a list of sim object modules'''
1328233Snate@binkert.org
1338233Snate@binkert.org    if sim_objects_fixed:
1348233Snate@binkert.org        raise AttributeError, "Too late to call SimObject now."
1358233Snate@binkert.org
1368233Snate@binkert.org    if not isinstance(source, SCons.Node.FS.File):
1378233Snate@binkert.org        source = File(source)
1388233Snate@binkert.org
1398233Snate@binkert.org    PySource('m5.objects', source)
1408233Snate@binkert.org    modfile = basename(str(source))
1418233Snate@binkert.org    assert modfile.endswith('.py')
1428233Snate@binkert.org    modname = modfile[:-3]
1438233Snate@binkert.org    sim_object_modfiles.add(modname)
1448233Snate@binkert.org
1458233Snate@binkert.orgswig_sources = []
1468233Snate@binkert.orgdef SwigSource(package, source):
1476143Snate@binkert.org    '''Add a swig file to build'''
1486143Snate@binkert.org    if not isinstance(source, SCons.Node.FS.File):
1496143Snate@binkert.org        source = File(source)
1506143Snate@binkert.org    val = source,package
1516143Snate@binkert.org    swig_sources.append(val)
1526143Snate@binkert.org
1539982Satgutier@umich.eduunit_tests = []
15410196SCurtis.Dunham@arm.comdef UnitTest(target, sources):
15510196SCurtis.Dunham@arm.com    if not isinstance(sources, (list, tuple)):
15610196SCurtis.Dunham@arm.com        sources = [ sources ]
15710196SCurtis.Dunham@arm.com    
15810196SCurtis.Dunham@arm.com    srcs = []
15910196SCurtis.Dunham@arm.com    for source in sources:
16010196SCurtis.Dunham@arm.com        if not isinstance(source, SCons.Node.FS.File):
16110196SCurtis.Dunham@arm.com            source = File(source)
1626143Snate@binkert.org        srcs.append(source)
1636143Snate@binkert.org            
1648945Ssteve.reinhardt@amd.com    unit_tests.append((target, srcs))
1658233Snate@binkert.org
1668233Snate@binkert.org# Children should have access
1676143Snate@binkert.orgExport('Source')
1688945Ssteve.reinhardt@amd.comExport('BinSource')
1696143Snate@binkert.orgExport('PySource')
1706143Snate@binkert.orgExport('SimObject')
1716143Snate@binkert.orgExport('SwigSource')
1726143Snate@binkert.orgExport('UnitTest')
1735522Snate@binkert.org
1746143Snate@binkert.org########################################################################
1756143Snate@binkert.org#
1766143Snate@binkert.org# Trace Flags
1779982Satgutier@umich.edu#
1788233Snate@binkert.orgtrace_flags = {}
1798233Snate@binkert.orgdef TraceFlag(name, desc=None):
1808233Snate@binkert.org    if name in trace_flags:
1816143Snate@binkert.org        raise AttributeError, "Flag %s already specified" % name
1826143Snate@binkert.org    trace_flags[name] = (name, (), desc)
1836143Snate@binkert.org
1846143Snate@binkert.orgdef CompoundFlag(name, flags, desc=None):
1855522Snate@binkert.org    if name in trace_flags:
1865522Snate@binkert.org        raise AttributeError, "Flag %s already specified" % name
1875522Snate@binkert.org
1885522Snate@binkert.org    compound = tuple(flags)
1895604Snate@binkert.org    for flag in compound:
1905604Snate@binkert.org        if flag not in trace_flags:
1916143Snate@binkert.org            raise AttributeError, "Trace flag %s not found" % flag
1926143Snate@binkert.org        if trace_flags[flag][1]:
1934762Snate@binkert.org            raise AttributeError, \
1944762Snate@binkert.org                "Compound flag can't point to another compound flag"
1956143Snate@binkert.org
1966727Ssteve.reinhardt@amd.com    trace_flags[name] = (name, compound, desc)
1976727Ssteve.reinhardt@amd.com
1986727Ssteve.reinhardt@amd.comExport('TraceFlag')
1994762Snate@binkert.orgExport('CompoundFlag')
2006143Snate@binkert.org
2016143Snate@binkert.org########################################################################
2026143Snate@binkert.org#
2036143Snate@binkert.org# Set some compiler variables
2046727Ssteve.reinhardt@amd.com#
2056143Snate@binkert.org
2067674Snate@binkert.org# Include file paths are rooted in this directory.  SCons will
2077674Snate@binkert.org# automatically expand '.' to refer to both the source directory and
2085604Snate@binkert.org# the corresponding build directory to pick up generated include
2096143Snate@binkert.org# files.
2106143Snate@binkert.orgenv.Append(CPPPATH=Dir('.'))
2116143Snate@binkert.org
2124762Snate@binkert.orgfor extra_dir in extras_dir_list:
2136143Snate@binkert.org    env.Append(CPPPATH=Dir(extra_dir))
2144762Snate@binkert.org
2154762Snate@binkert.org# Add a flag defining what THE_ISA should be for all compilation
2164762Snate@binkert.orgenv.Append(CPPDEFINES=[('THE_ISA','%s_ISA' % env['TARGET_ISA'].upper())])
2176143Snate@binkert.org
2186143Snate@binkert.org# Workaround for bug in SCons version > 0.97d20071212
2194762Snate@binkert.org# Scons bug id: 2006 M5 Bug id: 308 
2208233Snate@binkert.orgfor root, dirs, files in os.walk(base_dir, topdown=True):
2218233Snate@binkert.org    Dir(root[len(base_dir) + 1:])
2228233Snate@binkert.org
2238233Snate@binkert.org########################################################################
2246143Snate@binkert.org#
2256143Snate@binkert.org# Walk the tree and execute all SConscripts in subdirectories
2264762Snate@binkert.org#
2276143Snate@binkert.org
2284762Snate@binkert.orghere = Dir('.').srcnode().abspath
2296143Snate@binkert.orgfor root, dirs, files in os.walk(base_dir, topdown=True):
2304762Snate@binkert.org    if root == here:
2316143Snate@binkert.org        # we don't want to recurse back into this SConscript
2328233Snate@binkert.org        continue
2338233Snate@binkert.org
23410453SAndrew.Bardsley@arm.com    if 'SConscript' in files:
2356143Snate@binkert.org        build_dir = joinpath(env['BUILDDIR'], root[len(base_dir) + 1:])
2366143Snate@binkert.org        SConscript(joinpath(root, 'SConscript'), build_dir=build_dir)
2376143Snate@binkert.org
2386143Snate@binkert.orgfor extra_dir in extras_dir_list:
2396143Snate@binkert.org    prefix_len = len(dirname(extra_dir)) + 1
2406143Snate@binkert.org    for root, dirs, files in os.walk(extra_dir, topdown=True):
2416143Snate@binkert.org        if 'SConscript' in files:
2426143Snate@binkert.org            build_dir = joinpath(env['BUILDDIR'], root[prefix_len:])
24310453SAndrew.Bardsley@arm.com            SConscript(joinpath(root, 'SConscript'), build_dir=build_dir)
24410453SAndrew.Bardsley@arm.com
245955SN/Afor opt in env.ExportOptions:
2469396Sandreas.hansson@arm.com    env.ConfigFile(opt)
2479396Sandreas.hansson@arm.com
2489396Sandreas.hansson@arm.com########################################################################
2499396Sandreas.hansson@arm.com#
2509396Sandreas.hansson@arm.com# Prevent any SimObjects from being added after this point, they
2519396Sandreas.hansson@arm.com# should all have been added in the SConscripts above
2529396Sandreas.hansson@arm.com#
2539396Sandreas.hansson@arm.comclass DictImporter(object):
2549396Sandreas.hansson@arm.com    '''This importer takes a dictionary of arbitrary module names that
2559396Sandreas.hansson@arm.com    map to arbitrary filenames.'''
2569396Sandreas.hansson@arm.com    def __init__(self, modules):
2579396Sandreas.hansson@arm.com        self.modules = modules
2589396Sandreas.hansson@arm.com        self.installed = set()
2599930Sandreas.hansson@arm.com
2609930Sandreas.hansson@arm.com    def __del__(self):
2619396Sandreas.hansson@arm.com        self.unload()
2628235Snate@binkert.org
2638235Snate@binkert.org    def unload(self):
2646143Snate@binkert.org        import sys
2658235Snate@binkert.org        for module in self.installed:
2669003SAli.Saidi@ARM.com            del sys.modules[module]
2678235Snate@binkert.org        self.installed = set()
2688235Snate@binkert.org
2698235Snate@binkert.org    def find_module(self, fullname, path):
2708235Snate@binkert.org        if fullname == 'defines':
2718235Snate@binkert.org            return self
2728235Snate@binkert.org
2738235Snate@binkert.org        if fullname == 'm5.objects':
2748235Snate@binkert.org            return self
2758235Snate@binkert.org
2768235Snate@binkert.org        if fullname.startswith('m5.internal'):
2778235Snate@binkert.org            return None
2788235Snate@binkert.org
2798235Snate@binkert.org        if fullname in self.modules and exists(self.modules[fullname]):
2808235Snate@binkert.org            return self
2819003SAli.Saidi@ARM.com
2828235Snate@binkert.org        return None
2835584Snate@binkert.org
2844382Sbinkertn@umich.edu    def load_module(self, fullname):
2854202Sbinkertn@umich.edu        mod = imp.new_module(fullname)
2864382Sbinkertn@umich.edu        sys.modules[fullname] = mod
2874382Sbinkertn@umich.edu        self.installed.add(fullname)
2884382Sbinkertn@umich.edu
2899396Sandreas.hansson@arm.com        mod.__loader__ = self
2905584Snate@binkert.org        if fullname == 'm5.objects':
2914382Sbinkertn@umich.edu            mod.__path__ = fullname.split('.')
2924382Sbinkertn@umich.edu            return mod
2934382Sbinkertn@umich.edu
2948232Snate@binkert.org        if fullname == 'defines':
2955192Ssaidi@eecs.umich.edu            mod.__dict__['buildEnv'] = build_env
2968232Snate@binkert.org            return mod
2978232Snate@binkert.org
2988232Snate@binkert.org        srcfile = self.modules[fullname]
2995192Ssaidi@eecs.umich.edu        if basename(srcfile) == '__init__.py':
3008232Snate@binkert.org            mod.__path__ = fullname.split('.')
3015192Ssaidi@eecs.umich.edu        mod.__file__ = srcfile
3025799Snate@binkert.org
3038232Snate@binkert.org        exec file(srcfile, 'r') in mod.__dict__
3045192Ssaidi@eecs.umich.edu
3055192Ssaidi@eecs.umich.edu        return mod
3065192Ssaidi@eecs.umich.edu
3078232Snate@binkert.orgpy_modules = {}
3085192Ssaidi@eecs.umich.edufor source in py_sources:
3098232Snate@binkert.org    py_modules[source.modpath] = source.snode.abspath
3105192Ssaidi@eecs.umich.edu
3115192Ssaidi@eecs.umich.edu# install the python importer so we can grab stuff from the source
3125192Ssaidi@eecs.umich.edu# tree itself.  We can't have SimObjects added after this point or
3135192Ssaidi@eecs.umich.edu# else we won't know about them for the rest of the stuff.
3144382Sbinkertn@umich.edusim_objects_fixed = True
3154382Sbinkertn@umich.eduimporter = DictImporter(py_modules)
3164382Sbinkertn@umich.edusys.meta_path[0:0] = [ importer ]
3172667Sstever@eecs.umich.edu
3182667Sstever@eecs.umich.eduimport m5
3192667Sstever@eecs.umich.edu
3202667Sstever@eecs.umich.edu# import all sim objects so we can populate the all_objects list
3212667Sstever@eecs.umich.edu# make sure that we're working with a list, then let's sort it
3222667Sstever@eecs.umich.edusim_objects = list(sim_object_modfiles)
3235742Snate@binkert.orgsim_objects.sort()
3245742Snate@binkert.orgfor simobj in sim_objects:
3255742Snate@binkert.org    exec('from m5.objects import %s' % simobj)
3265793Snate@binkert.org
3278334Snate@binkert.org# we need to unload all of the currently imported modules so that they
3285793Snate@binkert.org# will be re-imported the next time the sconscript is run
3295793Snate@binkert.orgimporter.unload()
3305793Snate@binkert.orgsys.meta_path.remove(importer)
3314382Sbinkertn@umich.edu
3324762Snate@binkert.orgsim_objects = m5.SimObject.allClasses
3335344Sstever@gmail.comall_enums = m5.params.allEnums
3344382Sbinkertn@umich.edu
3355341Sstever@gmail.comall_params = {}
3365742Snate@binkert.orgfor name,obj in sim_objects.iteritems():
3375742Snate@binkert.org    for param in obj._params.local.values():
3385742Snate@binkert.org        if not hasattr(param, 'swig_decl'):
3395742Snate@binkert.org            continue
3405742Snate@binkert.org        pname = param.ptype_str
3414762Snate@binkert.org        if pname not in all_params:
3425742Snate@binkert.org            all_params[pname] = param
3435742Snate@binkert.org
3447722Sgblack@eecs.umich.edu########################################################################
3455742Snate@binkert.org#
3465742Snate@binkert.org# calculate extra dependencies
3475742Snate@binkert.org#
3489930Sandreas.hansson@arm.commodule_depends = ["m5", "m5.SimObject", "m5.params"]
3499930Sandreas.hansson@arm.comdepends = [ File(py_modules[dep]) for dep in module_depends ]
3509930Sandreas.hansson@arm.com
3519930Sandreas.hansson@arm.com########################################################################
3529930Sandreas.hansson@arm.com#
3535742Snate@binkert.org# Commands for the basic automatically generated python files
3548242Sbradley.danofsky@amd.com#
3558242Sbradley.danofsky@amd.com
3568242Sbradley.danofsky@amd.comscons_dir = str(SCons.Node.FS.default_fs.SConstruct_dir)
3578242Sbradley.danofsky@amd.com
3585341Sstever@gmail.comhg_info = ("Unknown", "Unknown", "Unknown")
3595742Snate@binkert.orghg_demandimport = False
3607722Sgblack@eecs.umich.edutry:
3614773Snate@binkert.org    if not exists(scons_dir) or not isdir(scons_dir) or \
3626108Snate@binkert.org           not exists(joinpath(scons_dir, ".hg")):
3631858SN/A        raise ValueError(".hg directory not found")
3641085SN/A
3656658Snate@binkert.org    import mercurial.demandimport, mercurial.hg, mercurial.ui
3666658Snate@binkert.org    import mercurial.util, mercurial.node
3677673Snate@binkert.org    hg_demandimport = True
3686658Snate@binkert.org
3696658Snate@binkert.org    repo = mercurial.hg.repository(mercurial.ui.ui(), scons_dir)
37011308Santhony.gutierrez@amd.com    rev = mercurial.node.nullrev + repo.changelog.count()
3716658Snate@binkert.org    changenode = repo.changelog.node(rev)
37211308Santhony.gutierrez@amd.com    changes = repo.changelog.read(changenode)
3736658Snate@binkert.org    id = mercurial.node.hex(changenode)
3746658Snate@binkert.org    date = mercurial.util.datestr(changes[2])
3757673Snate@binkert.org
3767673Snate@binkert.org    hg_info = (rev, id, date)
3777673Snate@binkert.orgexcept ImportError, e:
3787673Snate@binkert.org    print "Mercurial not found"
3797673Snate@binkert.orgexcept ValueError, e:
3807673Snate@binkert.org    print e
3817673Snate@binkert.orgexcept Exception, e:
38210467Sandreas.hansson@arm.com    print "Other mercurial exception: %s" % e
3836658Snate@binkert.org
3847673Snate@binkert.orgif hg_demandimport:
38510467Sandreas.hansson@arm.com    mercurial.demandimport.disable()
38610467Sandreas.hansson@arm.com
38710467Sandreas.hansson@arm.com# Generate Python file containing a dict specifying the current
38810467Sandreas.hansson@arm.com# build_env flags.
38910467Sandreas.hansson@arm.comdef makeDefinesPyFile(target, source, env):
39010467Sandreas.hansson@arm.com    f = file(str(target[0]), 'w')
39110467Sandreas.hansson@arm.com    build_env, hg_info = [ x.get_contents() for x in source ]
39210467Sandreas.hansson@arm.com    print >>f, "buildEnv = %s" % build_env
39310467Sandreas.hansson@arm.com    print >>f, "hgRev, hgId, hgDate = %s" % hg_info
39410467Sandreas.hansson@arm.com    f.close()
39510467Sandreas.hansson@arm.com
3967673Snate@binkert.orgdefines_info = [ Value(build_env), Value(hg_info) ]
3977673Snate@binkert.org# Generate a file with all of the compile options in it
3987673Snate@binkert.orgenv.Command('python/m5/defines.py', defines_info, makeDefinesPyFile)
3997673Snate@binkert.orgPySource('m5', 'python/m5/defines.py')
4007673Snate@binkert.org
4019048SAli.Saidi@ARM.com# Generate python file containing info about the M5 source code
4027673Snate@binkert.orgdef makeInfoPyFile(target, source, env):
4037673Snate@binkert.org    f = file(str(target[0]), 'w')
4047673Snate@binkert.org    for src in source:
4057673Snate@binkert.org        data = ''.join(file(src.srcnode().abspath, 'r').xreadlines())
4066658Snate@binkert.org        print >>f, "%s = %s" % (src, repr(data))
4077756SAli.Saidi@ARM.com    f.close()
4087816Ssteve.reinhardt@amd.com
4096658Snate@binkert.org# Generate a file that wraps the basic top level files
41011308Santhony.gutierrez@amd.comenv.Command('python/m5/info.py',
41111308Santhony.gutierrez@amd.com            [ '#/AUTHORS', '#/LICENSE', '#/README', '#/RELEASE_NOTES' ],
41211308Santhony.gutierrez@amd.com            makeInfoPyFile)
41311308Santhony.gutierrez@amd.comPySource('m5', 'python/m5/info.py')
41411308Santhony.gutierrez@amd.com
41511308Santhony.gutierrez@amd.com# Generate the __init__.py file for m5.objects
41611308Santhony.gutierrez@amd.comdef makeObjectsInitFile(target, source, env):
41711308Santhony.gutierrez@amd.com    f = file(str(target[0]), 'w')
41811308Santhony.gutierrez@amd.com    print >>f, 'from params import *'
41911308Santhony.gutierrez@amd.com    print >>f, 'from m5.SimObject import *'
42011308Santhony.gutierrez@amd.com    for module in source:
42111308Santhony.gutierrez@amd.com        print >>f, 'from %s import *' % module.get_contents()
42211308Santhony.gutierrez@amd.com    f.close()
42311308Santhony.gutierrez@amd.com
42411308Santhony.gutierrez@amd.com# Generate an __init__.py file for the objects package
42511308Santhony.gutierrez@amd.comenv.Command('python/m5/objects/__init__.py',
42611308Santhony.gutierrez@amd.com            [ Value(o) for o in sort_list(sim_object_modfiles) ],
42711308Santhony.gutierrez@amd.com            makeObjectsInitFile)
42811308Santhony.gutierrez@amd.comPySource('m5.objects', 'python/m5/objects/__init__.py')
42911308Santhony.gutierrez@amd.com
43011308Santhony.gutierrez@amd.com########################################################################
43111308Santhony.gutierrez@amd.com#
43211308Santhony.gutierrez@amd.com# Create all of the SimObject param headers and enum headers
43311308Santhony.gutierrez@amd.com#
43411308Santhony.gutierrez@amd.com
43511308Santhony.gutierrez@amd.comdef createSimObjectParam(target, source, env):
43611308Santhony.gutierrez@amd.com    assert len(target) == 1 and len(source) == 1
43711308Santhony.gutierrez@amd.com
43811308Santhony.gutierrez@amd.com    hh_file = file(target[0].abspath, 'w')
43911308Santhony.gutierrez@amd.com    name = str(source[0].get_contents())
44011308Santhony.gutierrez@amd.com    obj = sim_objects[name]
44111308Santhony.gutierrez@amd.com
44211308Santhony.gutierrez@amd.com    print >>hh_file, obj.cxx_decl()
44311308Santhony.gutierrez@amd.com
44411308Santhony.gutierrez@amd.comdef createSwigParam(target, source, env):
44511308Santhony.gutierrez@amd.com    assert len(target) == 1 and len(source) == 1
44611308Santhony.gutierrez@amd.com
44711308Santhony.gutierrez@amd.com    i_file = file(target[0].abspath, 'w')
44811308Santhony.gutierrez@amd.com    name = str(source[0].get_contents())
44911308Santhony.gutierrez@amd.com    param = all_params[name]
45011308Santhony.gutierrez@amd.com
45111308Santhony.gutierrez@amd.com    for line in param.swig_decl():
45211308Santhony.gutierrez@amd.com        print >>i_file, line
45311308Santhony.gutierrez@amd.com
45411308Santhony.gutierrez@amd.comdef createEnumStrings(target, source, env):
4554382Sbinkertn@umich.edu    assert len(target) == 1 and len(source) == 1
4564382Sbinkertn@umich.edu
4574762Snate@binkert.org    cc_file = file(target[0].abspath, 'w')
4584762Snate@binkert.org    name = str(source[0].get_contents())
4594762Snate@binkert.org    obj = all_enums[name]
4606654Snate@binkert.org
4616654Snate@binkert.org    print >>cc_file, obj.cxx_def()
4625517Snate@binkert.org    cc_file.close()
4635517Snate@binkert.org
4645517Snate@binkert.orgdef createEnumParam(target, source, env):
4655517Snate@binkert.org    assert len(target) == 1 and len(source) == 1
4665517Snate@binkert.org
4675517Snate@binkert.org    hh_file = file(target[0].abspath, 'w')
4685517Snate@binkert.org    name = str(source[0].get_contents())
4695517Snate@binkert.org    obj = all_enums[name]
4705517Snate@binkert.org
4715517Snate@binkert.org    print >>hh_file, obj.cxx_decl()
4725517Snate@binkert.org
4735517Snate@binkert.org# Generate all of the SimObject param struct header files
4745517Snate@binkert.orgparams_hh_files = []
4755517Snate@binkert.orgfor name,simobj in sim_objects.iteritems():
4765517Snate@binkert.org    extra_deps = [ File(py_modules[simobj.__module__]) ]
4775517Snate@binkert.org
4785517Snate@binkert.org    hh_file = File('params/%s.hh' % name)
4796654Snate@binkert.org    params_hh_files.append(hh_file)
4805517Snate@binkert.org    env.Command(hh_file, Value(name), createSimObjectParam)
4815517Snate@binkert.org    env.Depends(hh_file, depends + extra_deps)
4825517Snate@binkert.org
4835517Snate@binkert.org# Generate any parameter header files needed
4845517Snate@binkert.orgparams_i_files = []
4855517Snate@binkert.orgfor name,param in all_params.iteritems():
4865517Snate@binkert.org    if isinstance(param, m5.params.VectorParamDesc):
4875517Snate@binkert.org        ext = 'vptype'
4886143Snate@binkert.org    else:
4896654Snate@binkert.org        ext = 'ptype'
4905517Snate@binkert.org
4915517Snate@binkert.org    i_file = File('params/%s_%s.i' % (name, ext))
4925517Snate@binkert.org    params_i_files.append(i_file)
4935517Snate@binkert.org    env.Command(i_file, Value(name), createSwigParam)
4945517Snate@binkert.org    env.Depends(i_file, depends)
4955517Snate@binkert.org
4965517Snate@binkert.org# Generate all enum header files
4975517Snate@binkert.orgfor name,enum in all_enums.iteritems():
4985517Snate@binkert.org    extra_deps = [ File(py_modules[enum.__module__]) ]
4995517Snate@binkert.org
5005517Snate@binkert.org    cc_file = File('enums/%s.cc' % name)
5015517Snate@binkert.org    env.Command(cc_file, Value(name), createEnumStrings)
5025517Snate@binkert.org    env.Depends(cc_file, depends + extra_deps)
5035517Snate@binkert.org    Source(cc_file)
5046654Snate@binkert.org
5056654Snate@binkert.org    hh_file = File('enums/%s.hh' % name)
5065517Snate@binkert.org    env.Command(hh_file, Value(name), createEnumParam)
5075517Snate@binkert.org    env.Depends(hh_file, depends + extra_deps)
5086143Snate@binkert.org
5096143Snate@binkert.org# Build the big monolithic swigged params module (wraps all SimObject
5106143Snate@binkert.org# param structs and enum structs)
5116727Ssteve.reinhardt@amd.comdef buildParams(target, source, env):
5125517Snate@binkert.org    names = [ s.get_contents() for s in source ]
5136727Ssteve.reinhardt@amd.com    objs = [ sim_objects[name] for name in names ]
5145517Snate@binkert.org    out = file(target[0].abspath, 'w')
5155517Snate@binkert.org
5165517Snate@binkert.org    ordered_objs = []
5176654Snate@binkert.org    obj_seen = set()
5186654Snate@binkert.org    def order_obj(obj):
5197673Snate@binkert.org        name = str(obj)
5206654Snate@binkert.org        if name in obj_seen:
5216654Snate@binkert.org            return
5226654Snate@binkert.org
5236654Snate@binkert.org        obj_seen.add(name)
5245517Snate@binkert.org        if str(obj) != 'SimObject':
5255517Snate@binkert.org            order_obj(obj.__bases__[0])
5265517Snate@binkert.org
5276143Snate@binkert.org        ordered_objs.append(obj)
5285517Snate@binkert.org
5294762Snate@binkert.org    for obj in objs:
5305517Snate@binkert.org        order_obj(obj)
5315517Snate@binkert.org
5326143Snate@binkert.org    enums = set()
5336143Snate@binkert.org    predecls = []
5345517Snate@binkert.org    pd_seen = set()
5355517Snate@binkert.org
5365517Snate@binkert.org    def add_pds(*pds):
5375517Snate@binkert.org        for pd in pds:
5385517Snate@binkert.org            if pd not in pd_seen:
5395517Snate@binkert.org                predecls.append(pd)
5405517Snate@binkert.org                pd_seen.add(pd)
5415517Snate@binkert.org
5425517Snate@binkert.org    for obj in ordered_objs:
5439338SAndreas.Sandberg@arm.com        params = obj._params.local.values()
5449338SAndreas.Sandberg@arm.com        for param in params:
5459338SAndreas.Sandberg@arm.com            ptype = param.ptype
5469338SAndreas.Sandberg@arm.com            if issubclass(ptype, m5.params.Enum):
5479338SAndreas.Sandberg@arm.com                if ptype not in enums:
5489338SAndreas.Sandberg@arm.com                    enums.add(ptype)
5498596Ssteve.reinhardt@amd.com            pds = param.swig_predecls()
5508596Ssteve.reinhardt@amd.com            if isinstance(pds, (list, tuple)):
5518596Ssteve.reinhardt@amd.com                add_pds(*pds)
5528596Ssteve.reinhardt@amd.com            else:
5538596Ssteve.reinhardt@amd.com                add_pds(pds)
5548596Ssteve.reinhardt@amd.com
5558596Ssteve.reinhardt@amd.com    print >>out, '%module params'
5566143Snate@binkert.org
5575517Snate@binkert.org    print >>out, '%{'
5586654Snate@binkert.org    for obj in ordered_objs:
5596654Snate@binkert.org        print >>out, '#include "params/%s.hh"' % obj
5606654Snate@binkert.org    print >>out, '%}'
5616654Snate@binkert.org
5626654Snate@binkert.org    for pd in predecls:
5636654Snate@binkert.org        print >>out, pd
5645517Snate@binkert.org
5655517Snate@binkert.org    enums = list(enums)
5665517Snate@binkert.org    enums.sort()
5678596Ssteve.reinhardt@amd.com    for enum in enums:
5688596Ssteve.reinhardt@amd.com        print >>out, '%%include "enums/%s.hh"' % enum.__name__
5694762Snate@binkert.org    print >>out
5704762Snate@binkert.org
5714762Snate@binkert.org    for obj in ordered_objs:
5724762Snate@binkert.org        if obj.swig_objdecls:
5734762Snate@binkert.org            for decl in obj.swig_objdecls:
5744762Snate@binkert.org                print >>out, decl
5757675Snate@binkert.org            continue
57610584Sandreas.hansson@arm.com
5774762Snate@binkert.org        class_path = obj.cxx_class.split('::')
5784762Snate@binkert.org        classname = class_path[-1]
5794762Snate@binkert.org        namespaces = class_path[:-1]
5804762Snate@binkert.org        namespaces.reverse()
5814382Sbinkertn@umich.edu
5824382Sbinkertn@umich.edu        code = ''
5835517Snate@binkert.org
5846654Snate@binkert.org        if namespaces:
5855517Snate@binkert.org            code += '// avoid name conflicts\n'
5868126Sgblack@eecs.umich.edu            sep_string = '_COLONS_'
5876654Snate@binkert.org            flat_name = sep_string.join(class_path)
5887673Snate@binkert.org            code += '%%rename(%s) %s;\n' % (flat_name, classname)
5896654Snate@binkert.org
5906654Snate@binkert.org        code += '// stop swig from creating/wrapping default ctor/dtor\n'
5916654Snate@binkert.org        code += '%%nodefault %s;\n' % classname
5926654Snate@binkert.org        code += 'class %s ' % classname
5936654Snate@binkert.org        if obj._base:
5946654Snate@binkert.org            code += ': public %s' % obj._base.cxx_class
5956654Snate@binkert.org        code += ' {};\n'
5966669Snate@binkert.org
5976669Snate@binkert.org        for ns in namespaces:
5986669Snate@binkert.org            new_code = 'namespace %s {\n' % ns
5996669Snate@binkert.org            new_code += code
6006669Snate@binkert.org            new_code += '}\n'
6016669Snate@binkert.org            code = new_code
6026654Snate@binkert.org
6037673Snate@binkert.org        print >>out, code
6045517Snate@binkert.org
6058126Sgblack@eecs.umich.edu    print >>out, '%%include "src/sim/sim_object_params.hh"' % obj
6065798Snate@binkert.org    for obj in ordered_objs:
6077756SAli.Saidi@ARM.com        print >>out, '%%include "params/%s.hh"' % obj
6087816Ssteve.reinhardt@amd.com
6095798Snate@binkert.orgparams_file = File('params/params.i')
6105798Snate@binkert.orgnames = sort_list(sim_objects.keys())
6115517Snate@binkert.orgenv.Command(params_file, [ Value(v) for v in names ], buildParams)
6125517Snate@binkert.orgenv.Depends(params_file, params_hh_files + params_i_files + depends)
6137673Snate@binkert.orgSwigSource('m5.objects', params_file)
6145517Snate@binkert.org
6155517Snate@binkert.org# Build all swig modules
6167673Snate@binkert.orgswig_modules = []
6177673Snate@binkert.orgcc_swig_sources = []
6185517Snate@binkert.orgfor source,package in swig_sources:
6195798Snate@binkert.org    filename = str(source)
6205798Snate@binkert.org    assert filename.endswith('.i')
6218333Snate@binkert.org
6227816Ssteve.reinhardt@amd.com    base = '.'.join(filename.split('.')[:-1])
6235798Snate@binkert.org    module = basename(base)
6245798Snate@binkert.org    cc_file = base + '_wrap.cc'
6254762Snate@binkert.org    py_file = base + '.py'
6264762Snate@binkert.org
6274762Snate@binkert.org    env.Command([cc_file, py_file], source,
6284762Snate@binkert.org                '$SWIG $SWIGFLAGS -outdir ${TARGETS[1].dir} '
6294762Snate@binkert.org                '-o ${TARGETS[0]} $SOURCES')
6308596Ssteve.reinhardt@amd.com    env.Depends(py_file, source)
6315517Snate@binkert.org    env.Depends(cc_file, source)
6325517Snate@binkert.org
6335517Snate@binkert.org    swig_modules.append(Value(module))
6345517Snate@binkert.org    cc_swig_sources.append(File(cc_file))
6355517Snate@binkert.org    PySource(package, py_file)
6367673Snate@binkert.org
6378596Ssteve.reinhardt@amd.com# Generate the main swig init file
6387673Snate@binkert.orgdef makeSwigInit(target, source, env):
6395517Snate@binkert.org    f = file(str(target[0]), 'w')
64010458Sandreas.hansson@arm.com    print >>f, 'extern "C" {'
64110458Sandreas.hansson@arm.com    for module in source:
64210458Sandreas.hansson@arm.com        print >>f, '    void init_%s();' % module.get_contents()
64310458Sandreas.hansson@arm.com    print >>f, '}'
64410458Sandreas.hansson@arm.com    print >>f, 'void initSwig() {'
64510458Sandreas.hansson@arm.com    for module in source:
64610458Sandreas.hansson@arm.com        print >>f, '    init_%s();' % module.get_contents()
64710458Sandreas.hansson@arm.com    print >>f, '}'
64810458Sandreas.hansson@arm.com    f.close()
64910458Sandreas.hansson@arm.com
65010458Sandreas.hansson@arm.comenv.Command('python/swig/init.cc', swig_modules, makeSwigInit)
65110458Sandreas.hansson@arm.comSource('python/swig/init.cc')
6528596Ssteve.reinhardt@amd.com
6535517Snate@binkert.org# Generate traceflags.py
6545517Snate@binkert.orgdef traceFlagsPy(target, source, env):
6555517Snate@binkert.org    assert(len(target) == 1)
6568596Ssteve.reinhardt@amd.com
6575517Snate@binkert.org    f = file(str(target[0]), 'w')
6587673Snate@binkert.org
6597673Snate@binkert.org    allFlags = []
6607673Snate@binkert.org    for s in source:
6615517Snate@binkert.org        val = eval(s.get_contents())
6625517Snate@binkert.org        allFlags.append(val)
6635517Snate@binkert.org
6645517Snate@binkert.org    allFlags.sort()
6655517Snate@binkert.org
6665517Snate@binkert.org    print >>f, 'basic = ['
6675517Snate@binkert.org    for flag, compound, desc in allFlags:
6687673Snate@binkert.org        if not compound:
6697673Snate@binkert.org            print >>f, "    '%s'," % flag
6707673Snate@binkert.org    print >>f, "    ]"
6715517Snate@binkert.org    print >>f
6728596Ssteve.reinhardt@amd.com
6735517Snate@binkert.org    print >>f, 'compound = ['
6745517Snate@binkert.org    print >>f, "    'All',"
6755517Snate@binkert.org    for flag, compound, desc in allFlags:
6765517Snate@binkert.org        if compound:
6775517Snate@binkert.org            print >>f, "    '%s'," % flag
6787673Snate@binkert.org    print >>f, "    ]"
6797673Snate@binkert.org    print >>f
6807673Snate@binkert.org
6815517Snate@binkert.org    print >>f, "all = frozenset(basic + compound)"
6828596Ssteve.reinhardt@amd.com    print >>f
6837675Snate@binkert.org
6847675Snate@binkert.org    print >>f, 'compoundMap = {'
6857675Snate@binkert.org    all = tuple([flag for flag,compound,desc in allFlags if not compound])
6867675Snate@binkert.org    print >>f, "    'All' : %s," % (all, )
6877675Snate@binkert.org    for flag, compound, desc in allFlags:
6887675Snate@binkert.org        if compound:
6898596Ssteve.reinhardt@amd.com            print >>f, "    '%s' : %s," % (flag, compound)
6907675Snate@binkert.org    print >>f, "    }"
6917675Snate@binkert.org    print >>f
6928596Ssteve.reinhardt@amd.com
6938596Ssteve.reinhardt@amd.com    print >>f, 'descriptions = {'
6948596Ssteve.reinhardt@amd.com    print >>f, "    'All' : 'All flags',"
6958596Ssteve.reinhardt@amd.com    for flag, compound, desc in allFlags:
6968596Ssteve.reinhardt@amd.com        print >>f, "    '%s' : '%s'," % (flag, desc)
6978596Ssteve.reinhardt@amd.com    print >>f, "    }"
6988596Ssteve.reinhardt@amd.com
6998596Ssteve.reinhardt@amd.com    f.close()
70010454SCurtis.Dunham@arm.com
70110454SCurtis.Dunham@arm.comdef traceFlagsCC(target, source, env):
70210454SCurtis.Dunham@arm.com    assert(len(target) == 1)
70310454SCurtis.Dunham@arm.com
7048596Ssteve.reinhardt@amd.com    f = file(str(target[0]), 'w')
7054762Snate@binkert.org
7066143Snate@binkert.org    allFlags = []
7076143Snate@binkert.org    for s in source:
7086143Snate@binkert.org        val = eval(s.get_contents())
7094762Snate@binkert.org        allFlags.append(val)
7104762Snate@binkert.org
7114762Snate@binkert.org    # file header
7127756SAli.Saidi@ARM.com    print >>f, '''
7138596Ssteve.reinhardt@amd.com/*
7144762Snate@binkert.org * DO NOT EDIT THIS FILE! Automatically generated
71510454SCurtis.Dunham@arm.com */
7164762Snate@binkert.org
71710458Sandreas.hansson@arm.com#include "base/traceflags.hh"
71810458Sandreas.hansson@arm.com
71910458Sandreas.hansson@arm.comusing namespace Trace;
72010458Sandreas.hansson@arm.com
72110458Sandreas.hansson@arm.comconst char *Trace::flagStrings[] =
72210458Sandreas.hansson@arm.com{'''
72310458Sandreas.hansson@arm.com
72410458Sandreas.hansson@arm.com    # The string array is used by SimpleEnumParam to map the strings
72510458Sandreas.hansson@arm.com    # provided by the user to enum values.
72610458Sandreas.hansson@arm.com    for flag, compound, desc in allFlags:
72710458Sandreas.hansson@arm.com        if not compound:
72810458Sandreas.hansson@arm.com            print >>f, '    "%s",' % flag
72910458Sandreas.hansson@arm.com
73010458Sandreas.hansson@arm.com    print >>f, '    "All",'
73110458Sandreas.hansson@arm.com    for flag, compound, desc in allFlags:
73210458Sandreas.hansson@arm.com        if compound:
73310458Sandreas.hansson@arm.com            print >>f, '    "%s",' % flag
73410458Sandreas.hansson@arm.com
73510458Sandreas.hansson@arm.com    print >>f, '};'
73610458Sandreas.hansson@arm.com    print >>f
73710458Sandreas.hansson@arm.com    print >>f, 'const int Trace::numFlagStrings = %d;' % (len(allFlags) + 1)
73810458Sandreas.hansson@arm.com    print >>f
73910458Sandreas.hansson@arm.com
74010458Sandreas.hansson@arm.com    #
74110458Sandreas.hansson@arm.com    # Now define the individual compound flag arrays.  There is an array
74210458Sandreas.hansson@arm.com    # for each compound flag listing the component base flags.
74310458Sandreas.hansson@arm.com    #
74410458Sandreas.hansson@arm.com    all = tuple([flag for flag,compound,desc in allFlags if not compound])
74510458Sandreas.hansson@arm.com    print >>f, 'static const Flags AllMap[] = {'
74610458Sandreas.hansson@arm.com    for flag, compound, desc in allFlags:
74710458Sandreas.hansson@arm.com        if not compound:
74810458Sandreas.hansson@arm.com            print >>f, "    %s," % flag
74910458Sandreas.hansson@arm.com    print >>f, '};'
75010458Sandreas.hansson@arm.com    print >>f
75110458Sandreas.hansson@arm.com
75210458Sandreas.hansson@arm.com    for flag, compound, desc in allFlags:
75310458Sandreas.hansson@arm.com        if not compound:
75410458Sandreas.hansson@arm.com            continue
75510458Sandreas.hansson@arm.com        print >>f, 'static const Flags %sMap[] = {' % flag
75610458Sandreas.hansson@arm.com        for flag in compound:
75710458Sandreas.hansson@arm.com            print >>f, "    %s," % flag
75810458Sandreas.hansson@arm.com        print >>f, "    (Flags)-1"
75910458Sandreas.hansson@arm.com        print >>f, '};'
76010458Sandreas.hansson@arm.com        print >>f
76110458Sandreas.hansson@arm.com
76210458Sandreas.hansson@arm.com    #
76310458Sandreas.hansson@arm.com    # Finally the compoundFlags[] array maps the compound flags
76410458Sandreas.hansson@arm.com    # to their individual arrays/
76510458Sandreas.hansson@arm.com    #
76610584Sandreas.hansson@arm.com    print >>f, 'const Flags *Trace::compoundFlags[] ='
76710458Sandreas.hansson@arm.com    print >>f, '{'
76810458Sandreas.hansson@arm.com    print >>f, '    AllMap,'
76910458Sandreas.hansson@arm.com    for flag, compound, desc in allFlags:
77010458Sandreas.hansson@arm.com        if compound:
77110458Sandreas.hansson@arm.com            print >>f, '    %sMap,' % flag
7728596Ssteve.reinhardt@amd.com    # file trailer
7735463Snate@binkert.org    print >>f, '};'
77410584Sandreas.hansson@arm.com
7758596Ssteve.reinhardt@amd.com    f.close()
7765463Snate@binkert.org
7777756SAli.Saidi@ARM.comdef traceFlagsHH(target, source, env):
7788596Ssteve.reinhardt@amd.com    assert(len(target) == 1)
7794762Snate@binkert.org
78010454SCurtis.Dunham@arm.com    f = file(str(target[0]), 'w')
7817677Snate@binkert.org
7824762Snate@binkert.org    allFlags = []
7834762Snate@binkert.org    for s in source:
7846143Snate@binkert.org        val = eval(s.get_contents())
7856143Snate@binkert.org        allFlags.append(val)
7866143Snate@binkert.org
7874762Snate@binkert.org    # file header boilerplate
7884762Snate@binkert.org    print >>f, '''
7897756SAli.Saidi@ARM.com/*
7907816Ssteve.reinhardt@amd.com * DO NOT EDIT THIS FILE!
7914762Snate@binkert.org *
79210454SCurtis.Dunham@arm.com * Automatically generated from traceflags.py
7934762Snate@binkert.org */
7944762Snate@binkert.org
7954762Snate@binkert.org#ifndef __BASE_TRACE_FLAGS_HH__
7967756SAli.Saidi@ARM.com#define __BASE_TRACE_FLAGS_HH__
7978596Ssteve.reinhardt@amd.com
7984762Snate@binkert.orgnamespace Trace {
79910454SCurtis.Dunham@arm.com
8004762Snate@binkert.orgenum Flags {'''
8017677Snate@binkert.org
8027756SAli.Saidi@ARM.com    # Generate the enum.  Base flags come first, then compound flags.
8038596Ssteve.reinhardt@amd.com    idx = 0
8047675Snate@binkert.org    for flag, compound, desc in allFlags:
80510454SCurtis.Dunham@arm.com        if not compound:
8067677Snate@binkert.org            print >>f, '    %s = %d,' % (flag, idx)
8075517Snate@binkert.org            idx += 1
8088596Ssteve.reinhardt@amd.com
80910584Sandreas.hansson@arm.com    numBaseFlags = idx
8109248SAndreas.Sandberg@arm.com    print >>f, '    NumFlags = %d,' % idx
8119248SAndreas.Sandberg@arm.com
8128596Ssteve.reinhardt@amd.com    # put a comment in here to separate base from compound flags
8138596Ssteve.reinhardt@amd.com    print >>f, '''
8148596Ssteve.reinhardt@amd.com// The remaining enum values are *not* valid indices for Trace::flags.
8159248SAndreas.Sandberg@arm.com// They are "compound" flags, which correspond to sets of base
8168596Ssteve.reinhardt@amd.com// flags, and are used by changeFlag.'''
8174762Snate@binkert.org
8187674Snate@binkert.org    print >>f, '    All = %d,' % idx
8197674Snate@binkert.org    idx += 1
8207674Snate@binkert.org    for flag, compound, desc in allFlags:
8217674Snate@binkert.org        if compound:
8227674Snate@binkert.org            print >>f, '    %s = %d,' % (flag, idx)
8237674Snate@binkert.org            idx += 1
8247674Snate@binkert.org
8257674Snate@binkert.org    numCompoundFlags = idx - numBaseFlags
8267674Snate@binkert.org    print >>f, '    NumCompoundFlags = %d' % numCompoundFlags
8277674Snate@binkert.org
8287674Snate@binkert.org    # trailer boilerplate
8297674Snate@binkert.org    print >>f, '''\
8307674Snate@binkert.org}; // enum Flags
8317674Snate@binkert.org
83211308Santhony.gutierrez@amd.com// Array of strings for SimpleEnumParam
8334762Snate@binkert.orgextern const char *flagStrings[];
8346143Snate@binkert.orgextern const int numFlagStrings;
8356143Snate@binkert.org
8367756SAli.Saidi@ARM.com// Array of arraay pointers: for each compound flag, gives the list of
8377816Ssteve.reinhardt@amd.com// base flags to set.  Inidividual flag arrays are terminated by -1.
8388235Snate@binkert.orgextern const Flags *compoundFlags[];
8398596Ssteve.reinhardt@amd.com
8407756SAli.Saidi@ARM.com/* namespace Trace */ }
8417816Ssteve.reinhardt@amd.com
84210454SCurtis.Dunham@arm.com#endif // __BASE_TRACE_FLAGS_HH__
8438235Snate@binkert.org'''
8444382Sbinkertn@umich.edu
8459396Sandreas.hansson@arm.com    f.close()
8469396Sandreas.hansson@arm.com
8479396Sandreas.hansson@arm.comflags = [ Value(f) for f in trace_flags.values() ]
8489396Sandreas.hansson@arm.comenv.Command('base/traceflags.py', flags, traceFlagsPy)
8499396Sandreas.hansson@arm.comPySource('m5', 'base/traceflags.py')
8509396Sandreas.hansson@arm.com
8519396Sandreas.hansson@arm.comenv.Command('base/traceflags.hh', flags, traceFlagsHH)
8529396Sandreas.hansson@arm.comenv.Command('base/traceflags.cc', flags, traceFlagsCC)
8539396Sandreas.hansson@arm.comSource('base/traceflags.cc')
8549396Sandreas.hansson@arm.com
8559396Sandreas.hansson@arm.com# embed python files.  All .py files that have been indicated by a
8569396Sandreas.hansson@arm.com# PySource() call in a SConscript need to be embedded into the M5
85710454SCurtis.Dunham@arm.com# library.  To do that, we compile the file to byte code, marshal the
8589396Sandreas.hansson@arm.com# byte code, compress it, and then generate an assembly file that
8599396Sandreas.hansson@arm.com# inserts the result into the data section with symbols indicating the
8609396Sandreas.hansson@arm.com# beginning, and end (and with the size at the end)
8619396Sandreas.hansson@arm.compy_sources_tnodes = {}
8629396Sandreas.hansson@arm.comfor pysource in py_sources:
8639396Sandreas.hansson@arm.com    py_sources_tnodes[pysource.tnode] = pysource
8648232Snate@binkert.org
8658232Snate@binkert.orgdef objectifyPyFile(target, source, env):
8668232Snate@binkert.org    '''Action function to compile a .py into a code object, marshal
8678232Snate@binkert.org    it, compress it, and stick it into an asm file so the code appears
8688232Snate@binkert.org    as just bytes with a label in the data section'''
8696229Snate@binkert.org
87010455SCurtis.Dunham@arm.com    src = file(str(source[0]), 'r').read()
8716229Snate@binkert.org    dst = file(str(target[0]), 'w')
87210455SCurtis.Dunham@arm.com
87310455SCurtis.Dunham@arm.com    pysource = py_sources_tnodes[source[0]]
87410455SCurtis.Dunham@arm.com    compiled = compile(src, pysource.debugname, 'exec')
8755517Snate@binkert.org    marshalled = marshal.dumps(compiled)
8765517Snate@binkert.org    compressed = zlib.compress(marshalled)
8777673Snate@binkert.org    data = compressed
8785517Snate@binkert.org
87910455SCurtis.Dunham@arm.com    # Some C/C++ compilers prepend an underscore to global symbol
8805517Snate@binkert.org    # names, so if they're going to do that, we need to prepend that
8815517Snate@binkert.org    # leading underscore to globals in the assembly file.
8828232Snate@binkert.org    if env['LEADING_UNDERSCORE']:
88310455SCurtis.Dunham@arm.com        sym = '_' + pysource.symname
88410455SCurtis.Dunham@arm.com    else:
88510455SCurtis.Dunham@arm.com        sym = pysource.symname
8867673Snate@binkert.org
8877673Snate@binkert.org    step = 16
88810455SCurtis.Dunham@arm.com    print >>dst, ".data"
88910455SCurtis.Dunham@arm.com    print >>dst, ".globl %s_beg" % sym
89010455SCurtis.Dunham@arm.com    print >>dst, ".globl %s_end" % sym
8915517Snate@binkert.org    print >>dst, "%s_beg:" % sym
89210455SCurtis.Dunham@arm.com    for i in xrange(0, len(data), step):
89310455SCurtis.Dunham@arm.com        x = array.array('B', data[i:i+step])
89410455SCurtis.Dunham@arm.com        print >>dst, ".byte", ','.join([str(d) for d in x])
89510455SCurtis.Dunham@arm.com    print >>dst, "%s_end:" % sym
89610455SCurtis.Dunham@arm.com    print >>dst, ".long %d" % len(marshalled)
89710455SCurtis.Dunham@arm.com
89810455SCurtis.Dunham@arm.comfor source in py_sources:
89910455SCurtis.Dunham@arm.com    env.Command(source.assembly, source.tnode, objectifyPyFile)
90010685Sandreas.hansson@arm.com    Source(source.assembly)
90110455SCurtis.Dunham@arm.com
90210685Sandreas.hansson@arm.com# Generate init_python.cc which creates a bunch of EmbeddedPyModule
90310455SCurtis.Dunham@arm.com# structs that describe the embedded python code.  One such struct
9045517Snate@binkert.org# contains information about the importer that python uses to get at
90510455SCurtis.Dunham@arm.com# the embedded files, and then there's a list of all of the rest that
9068232Snate@binkert.org# the importer uses to load the rest on demand.
9078232Snate@binkert.orgpy_sources_symbols = {}
9085517Snate@binkert.orgfor pysource in py_sources:
9097673Snate@binkert.org    py_sources_symbols[pysource.symname] = pysource
9105517Snate@binkert.orgdef pythonInit(target, source, env):
9118232Snate@binkert.org    dst = file(str(target[0]), 'w')
9128232Snate@binkert.org
9135517Snate@binkert.org    def dump_mod(sym, endchar=','):
9148232Snate@binkert.org        pysource = py_sources_symbols[sym]
9158232Snate@binkert.org        print >>dst, '    { "%s",' % pysource.arcname
9168232Snate@binkert.org        print >>dst, '      "%s",' % pysource.modpath
9177673Snate@binkert.org        print >>dst, '       %s_beg, %s_end,' % (sym, sym)
9185517Snate@binkert.org        print >>dst, '       %s_end - %s_beg,' % (sym, sym)
9195517Snate@binkert.org        print >>dst, '       *(int *)%s_end }%s'  % (sym, endchar)
9207673Snate@binkert.org    
9215517Snate@binkert.org    print >>dst, '#include "sim/init.hh"'
92210455SCurtis.Dunham@arm.com
9235517Snate@binkert.org    for sym in source:
9245517Snate@binkert.org        sym = sym.get_contents()
9258232Snate@binkert.org        print >>dst, "extern const char %s_beg[], %s_end[];" % (sym, sym)
9268232Snate@binkert.org
9275517Snate@binkert.org    print >>dst, "const EmbeddedPyModule embeddedPyImporter = "
9288232Snate@binkert.org    dump_mod("PyEMB_importer", endchar=';');
9298232Snate@binkert.org    print >>dst
9305517Snate@binkert.org
9318232Snate@binkert.org    print >>dst, "const EmbeddedPyModule embeddedPyModules[] = {"
9328232Snate@binkert.org    for i,sym in enumerate(source):
9338232Snate@binkert.org        sym = sym.get_contents()
9345517Snate@binkert.org        if sym == "PyEMB_importer":
9358232Snate@binkert.org            # Skip the importer since we've already exported it
9368232Snate@binkert.org            continue
9378232Snate@binkert.org        dump_mod(sym)
9388232Snate@binkert.org    print >>dst, "    { 0, 0, 0, 0, 0, 0 }"
9398232Snate@binkert.org    print >>dst, "};"
9408232Snate@binkert.org
9415517Snate@binkert.orgsymbols = [Value(s.symname) for s in py_sources]
9428232Snate@binkert.orgenv.Command('sim/init_python.cc', symbols, pythonInit)
9438232Snate@binkert.orgSource('sim/init_python.cc')
9445517Snate@binkert.org
9458232Snate@binkert.org########################################################################
9467673Snate@binkert.org#
9475517Snate@binkert.org# Define binaries.  Each different build type (debug, opt, etc.) gets
9487673Snate@binkert.org# a slightly different build environment.
9495517Snate@binkert.org#
9508232Snate@binkert.org
9518232Snate@binkert.org# List of constructed environments to pass back to SConstruct
9528232Snate@binkert.orgenvList = []
9535192Ssaidi@eecs.umich.edu
95410454SCurtis.Dunham@arm.com# This function adds the specified sources to the given build
95510454SCurtis.Dunham@arm.com# environment, and returns a list of all the corresponding SCons
9568232Snate@binkert.org# Object nodes (including an extra one for date.cc).  We explicitly
95710455SCurtis.Dunham@arm.com# add the Object nodes so we can set up special dependencies for
95810455SCurtis.Dunham@arm.com# date.cc.
95910455SCurtis.Dunham@arm.comdef make_objs(sources, env, static):
96010455SCurtis.Dunham@arm.com    if static:
96110455SCurtis.Dunham@arm.com        XObject = env.StaticObject
96210455SCurtis.Dunham@arm.com    else:
9635192Ssaidi@eecs.umich.edu        XObject = env.SharedObject
96411077SCurtis.Dunham@arm.com
96511077SCurtis.Dunham@arm.com    objs = [ XObject(s) for s in sources ]
96611077SCurtis.Dunham@arm.com  
96711077SCurtis.Dunham@arm.com    # make date.cc depend on all other objects so it always gets
96811077SCurtis.Dunham@arm.com    # recompiled whenever anything else does
9697674Snate@binkert.org    date_obj = XObject('base/date.cc')
9705522Snate@binkert.org
9715522Snate@binkert.org    env.Depends(date_obj, objs)
9727674Snate@binkert.org    objs.append(date_obj)
9737674Snate@binkert.org    return objs
9747674Snate@binkert.org
9757674Snate@binkert.org# Function to create a new build environment as clone of current
9767674Snate@binkert.org# environment 'env' with modified object suffix and optional stripped
9777674Snate@binkert.org# binary.  Additional keyword arguments are appended to corresponding
9787674Snate@binkert.org# build environment vars.
9797674Snate@binkert.orgdef makeEnv(label, objsfx, strip = False, **kwargs):
9805522Snate@binkert.org    # SCons doesn't know to append a library suffix when there is a '.' in the
9815522Snate@binkert.org    # name.  Use '_' instead.
9825522Snate@binkert.org    libname = 'm5_' + label
9835517Snate@binkert.org    exename = 'm5.' + label
9845522Snate@binkert.org
9855517Snate@binkert.org    new_env = env.Copy(OBJSUFFIX=objsfx, SHOBJSUFFIX=objsfx + 's')
9866143Snate@binkert.org    new_env.Label = label
9876727Ssteve.reinhardt@amd.com    new_env.Append(**kwargs)
9885522Snate@binkert.org
9895522Snate@binkert.org    swig_env = new_env.Copy()
9905522Snate@binkert.org    if env['GCC']:
9917674Snate@binkert.org        swig_env.Append(CCFLAGS='-Wno-uninitialized')
9925517Snate@binkert.org        swig_env.Append(CCFLAGS='-Wno-sign-compare')
9937673Snate@binkert.org        swig_env.Append(CCFLAGS='-Wno-parentheses')
9947673Snate@binkert.org
9957674Snate@binkert.org    static_objs = make_objs(cc_lib_sources, new_env, static=True)
9967673Snate@binkert.org    shared_objs = make_objs(cc_lib_sources, new_env, static=False)
9977674Snate@binkert.org    static_objs += [ swig_env.StaticObject(s) for s in cc_swig_sources ]
9987674Snate@binkert.org    shared_objs += [ swig_env.SharedObject(s) for s in cc_swig_sources ]
9998946Sandreas.hansson@arm.com
10007674Snate@binkert.org    # First make a library of everything but main() so other programs can
10017674Snate@binkert.org    # link against m5.
10027674Snate@binkert.org    static_lib = new_env.StaticLibrary(libname, static_objs)
10035522Snate@binkert.org    shared_lib = new_env.SharedLibrary(libname, shared_objs)
10045522Snate@binkert.org
10057674Snate@binkert.org    for target, sources in unit_tests:
10067674Snate@binkert.org        objs = [ new_env.StaticObject(s) for s in sources ]
100711308Santhony.gutierrez@amd.com        new_env.Program("unittest/%s.%s" % (target, label), objs + static_lib)
10087674Snate@binkert.org
10097673Snate@binkert.org    # Now link a stub with main() and the static library.
10107674Snate@binkert.org    objects = [new_env.Object(s) for s in cc_bin_sources] + static_lib
10117674Snate@binkert.org    if strip:
10127674Snate@binkert.org        unstripped_exe = exename + '.unstripped'
10137674Snate@binkert.org        new_env.Program(unstripped_exe, objects)
10147674Snate@binkert.org        if sys.platform == 'sunos5':
10157674Snate@binkert.org            cmd = 'cp $SOURCE $TARGET; strip $TARGET'
10167674Snate@binkert.org        else:
10177674Snate@binkert.org            cmd = 'strip $SOURCE -o $TARGET'
10187811Ssteve.reinhardt@amd.com        targets = new_env.Command(exename, unstripped_exe, cmd)
10197674Snate@binkert.org    else:
10207673Snate@binkert.org        targets = new_env.Program(exename, objects)
10215522Snate@binkert.org            
10226143Snate@binkert.org    new_env.M5Binary = targets[0]
102310453SAndrew.Bardsley@arm.com    envList.append(new_env)
10247816Ssteve.reinhardt@amd.com
102510454SCurtis.Dunham@arm.com# Debug binary
102610453SAndrew.Bardsley@arm.comccflags = {}
10274382Sbinkertn@umich.eduif env['GCC']:
10284382Sbinkertn@umich.edu    if sys.platform == 'sunos5':
10294382Sbinkertn@umich.edu        ccflags['debug'] = '-gstabs+'
10304382Sbinkertn@umich.edu    else:
10314382Sbinkertn@umich.edu        ccflags['debug'] = '-ggdb3'
10324382Sbinkertn@umich.edu    ccflags['opt'] = '-g -O3'
10334382Sbinkertn@umich.edu    ccflags['fast'] = '-O3'
10344382Sbinkertn@umich.edu    ccflags['prof'] = '-O3 -g -pg'
103510196SCurtis.Dunham@arm.comelif env['SUNCC']:
10364382Sbinkertn@umich.edu    ccflags['debug'] = '-g0'
103710196SCurtis.Dunham@arm.com    ccflags['opt'] = '-g -O'
103810196SCurtis.Dunham@arm.com    ccflags['fast'] = '-fast'
103910196SCurtis.Dunham@arm.com    ccflags['prof'] = '-fast -g -pg'
104010196SCurtis.Dunham@arm.comelif env['ICC']:
104110196SCurtis.Dunham@arm.com    ccflags['debug'] = '-g -O0'
104210196SCurtis.Dunham@arm.com    ccflags['opt'] = '-g -O'
104310196SCurtis.Dunham@arm.com    ccflags['fast'] = '-fast'
1044955SN/A    ccflags['prof'] = '-fast -g -pg'
10452655Sstever@eecs.umich.eduelse:
10462655Sstever@eecs.umich.edu    print 'Unknown compiler, please fix compiler options'
10472655Sstever@eecs.umich.edu    Exit(1)
10482655Sstever@eecs.umich.edu
104910196SCurtis.Dunham@arm.commakeEnv('debug', '.do',
10505601Snate@binkert.org        CCFLAGS = Split(ccflags['debug']),
10515601Snate@binkert.org        CPPDEFINES = ['DEBUG', 'TRACING_ON=1'])
105210196SCurtis.Dunham@arm.com
105310196SCurtis.Dunham@arm.com# Optimized binary
105410196SCurtis.Dunham@arm.commakeEnv('opt', '.o',
10555522Snate@binkert.org        CCFLAGS = Split(ccflags['opt']),
10565863Snate@binkert.org        CPPDEFINES = ['TRACING_ON=1'])
10575601Snate@binkert.org
10585601Snate@binkert.org# "Fast" binary
10595601Snate@binkert.orgmakeEnv('fast', '.fo', strip = True,
10605863Snate@binkert.org        CCFLAGS = Split(ccflags['fast']),
10619556Sandreas.hansson@arm.com        CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'])
10629556Sandreas.hansson@arm.com
10639556Sandreas.hansson@arm.com# Profiled binary
10649556Sandreas.hansson@arm.commakeEnv('prof', '.po',
10659556Sandreas.hansson@arm.com        CCFLAGS = Split(ccflags['prof']),
10665559Snate@binkert.org        CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
10679556Sandreas.hansson@arm.com        LINKFLAGS = '-pg')
10689618Ssteve.reinhardt@amd.com
10699618Ssteve.reinhardt@amd.comReturn('envList')
10709618Ssteve.reinhardt@amd.com