SConscript revision 5798
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
314762Snate@binkert.orgimport array
32955SN/Aimport imp
33955SN/Aimport marshal
344202Sbinkertn@umich.eduimport os
354382Sbinkertn@umich.eduimport re
364202Sbinkertn@umich.eduimport sys
374762Snate@binkert.orgimport zlib
384762Snate@binkert.org
394762Snate@binkert.orgfrom os.path import basename, dirname, exists, isdir, isfile, join as joinpath
40955SN/A
414381Sbinkertn@umich.eduimport SCons
424381Sbinkertn@umich.edu
43955SN/A# This file defines how to build a particular configuration of M5
44955SN/A# based on variable settings in the 'env' build environment.
45955SN/A
464202Sbinkertn@umich.eduImport('*')
47955SN/A
484382Sbinkertn@umich.edu# Children need to see the environment
494382Sbinkertn@umich.eduExport('env')
504382Sbinkertn@umich.edu
514762Snate@binkert.orgbuild_env = dict([(opt, env[opt]) for opt in env.ExportOptions])
524762Snate@binkert.org
534762Snate@binkert.orgdef sort_list(_list):
544762Snate@binkert.org    """return a sorted copy of '_list'"""
554762Snate@binkert.org    if isinstance(_list, list):
564762Snate@binkert.org        _list = _list[:]
574762Snate@binkert.org    else:
584762Snate@binkert.org        _list = list(_list)
594762Snate@binkert.org    _list.sort()
604762Snate@binkert.org    return _list
614762Snate@binkert.org
624762Snate@binkert.orgclass PySourceFile(object):
634762Snate@binkert.org    invalid_sym_char = re.compile('[^A-z0-9_]')
644762Snate@binkert.org    def __init__(self, package, tnode):
654762Snate@binkert.org        snode = tnode.srcnode()
664762Snate@binkert.org        filename = str(tnode)
674762Snate@binkert.org        pyname = basename(filename)
684762Snate@binkert.org        assert pyname.endswith('.py')
694762Snate@binkert.org        name = pyname[:-3]
704762Snate@binkert.org        if package:
714762Snate@binkert.org            path = package.split('.')
724762Snate@binkert.org        else:
734762Snate@binkert.org            path = []
744762Snate@binkert.org
754762Snate@binkert.org        modpath = path[:]
764762Snate@binkert.org        if name != '__init__':
774762Snate@binkert.org            modpath += [name]
784762Snate@binkert.org        modpath = '.'.join(modpath)
794762Snate@binkert.org
804762Snate@binkert.org        arcpath = path + [ pyname ]
814762Snate@binkert.org        arcname = joinpath(*arcpath)
824762Snate@binkert.org
834762Snate@binkert.org        debugname = snode.abspath
844382Sbinkertn@umich.edu        if not exists(debugname):
854762Snate@binkert.org            debugname = tnode.abspath
864382Sbinkertn@umich.edu
874762Snate@binkert.org        self.tnode = tnode
884381Sbinkertn@umich.edu        self.snode = snode
894762Snate@binkert.org        self.pyname = pyname
904762Snate@binkert.org        self.package = package
914762Snate@binkert.org        self.modpath = modpath
924762Snate@binkert.org        self.arcname = arcname
934762Snate@binkert.org        self.debugname = debugname
944762Snate@binkert.org        self.compiled = File(filename + 'c')
954762Snate@binkert.org        self.assembly = File(filename + '.s')
964762Snate@binkert.org        self.symname = "PyEMB_" + self.invalid_sym_char.sub('_', modpath)
974762Snate@binkert.org        
984762Snate@binkert.org
994762Snate@binkert.org########################################################################
1004762Snate@binkert.org# Code for adding source files of various types
1014762Snate@binkert.org#
1024762Snate@binkert.orgcc_lib_sources = []
1034762Snate@binkert.orgdef Source(source):
1044762Snate@binkert.org    '''Add a source file to the libm5 build'''
1054762Snate@binkert.org    if not isinstance(source, SCons.Node.FS.File):
1064762Snate@binkert.org        source = File(source)
1074762Snate@binkert.org
1084762Snate@binkert.org    cc_lib_sources.append(source)
1094762Snate@binkert.org
1104762Snate@binkert.orgcc_bin_sources = []
1114762Snate@binkert.orgdef BinSource(source):
1124762Snate@binkert.org    '''Add a source file to the m5 binary build'''
1134762Snate@binkert.org    if not isinstance(source, SCons.Node.FS.File):
1144762Snate@binkert.org        source = File(source)
1154762Snate@binkert.org
1164762Snate@binkert.org    cc_bin_sources.append(source)
1174762Snate@binkert.org
1184762Snate@binkert.orgpy_sources = []
1194762Snate@binkert.orgdef PySource(package, source):
1204762Snate@binkert.org    '''Add a python source file to the named package'''
1214762Snate@binkert.org    if not isinstance(source, SCons.Node.FS.File):
1224762Snate@binkert.org        source = File(source)
1234762Snate@binkert.org
1244762Snate@binkert.org    source = PySourceFile(package, source)
1254762Snate@binkert.org    py_sources.append(source)
1264762Snate@binkert.org
1274762Snate@binkert.orgsim_objects_fixed = False
1284762Snate@binkert.orgsim_object_modfiles = set()
129955SN/Adef SimObject(source):
1304382Sbinkertn@umich.edu    '''Add a SimObject python file as a python source object and add
1314202Sbinkertn@umich.edu    it to a list of sim object modules'''
1324382Sbinkertn@umich.edu
1334382Sbinkertn@umich.edu    if sim_objects_fixed:
1344382Sbinkertn@umich.edu        raise AttributeError, "Too late to call SimObject now."
1354382Sbinkertn@umich.edu
1364382Sbinkertn@umich.edu    if not isinstance(source, SCons.Node.FS.File):
1374382Sbinkertn@umich.edu        source = File(source)
1384382Sbinkertn@umich.edu
1394382Sbinkertn@umich.edu    PySource('m5.objects', source)
1404382Sbinkertn@umich.edu    modfile = basename(str(source))
1412667Sstever@eecs.umich.edu    assert modfile.endswith('.py')
1422667Sstever@eecs.umich.edu    modname = modfile[:-3]
1432667Sstever@eecs.umich.edu    sim_object_modfiles.add(modname)
1442667Sstever@eecs.umich.edu
1452667Sstever@eecs.umich.eduswig_sources = []
1462667Sstever@eecs.umich.edudef SwigSource(package, source):
1472037SN/A    '''Add a swig file to build'''
1482037SN/A    if not isinstance(source, SCons.Node.FS.File):
1492037SN/A        source = File(source)
1504382Sbinkertn@umich.edu    val = source,package
1514762Snate@binkert.org    swig_sources.append(val)
1524202Sbinkertn@umich.edu
1534382Sbinkertn@umich.eduunit_tests = []
1544202Sbinkertn@umich.edudef UnitTest(target, sources):
1554202Sbinkertn@umich.edu    if not isinstance(sources, (list, tuple)):
1564202Sbinkertn@umich.edu        sources = [ sources ]
1574202Sbinkertn@umich.edu    
1584202Sbinkertn@umich.edu    srcs = []
1594202Sbinkertn@umich.edu    for source in sources:
1604762Snate@binkert.org        if not isinstance(source, SCons.Node.FS.File):
1614202Sbinkertn@umich.edu            source = File(source)
1624202Sbinkertn@umich.edu        srcs.append(source)
1634202Sbinkertn@umich.edu            
1644202Sbinkertn@umich.edu    unit_tests.append((target, srcs))
1654202Sbinkertn@umich.edu
1661858SN/A# Children should have access
1671858SN/AExport('Source')
1681858SN/AExport('BinSource')
1691085SN/AExport('PySource')
1704382Sbinkertn@umich.eduExport('SimObject')
1714382Sbinkertn@umich.eduExport('SwigSource')
1724762Snate@binkert.orgExport('UnitTest')
1734762Snate@binkert.org
1744762Snate@binkert.org########################################################################
1754762Snate@binkert.org#
1764762Snate@binkert.org# Trace Flags
1774762Snate@binkert.org#
1784762Snate@binkert.orgall_flags = {}
1794762Snate@binkert.orgtrace_flags = []
1804762Snate@binkert.orgdef TraceFlag(name, desc=''):
1814762Snate@binkert.org    if name in all_flags:
1824762Snate@binkert.org        raise AttributeError, "Flag %s already specified" % name
1834762Snate@binkert.org    flag = (name, (), desc)
1844762Snate@binkert.org    trace_flags.append(flag)
1854762Snate@binkert.org    all_flags[name] = ()
1864762Snate@binkert.org
1874762Snate@binkert.orgdef CompoundFlag(name, flags, desc=''):
1884762Snate@binkert.org    if name in all_flags:
1894762Snate@binkert.org        raise AttributeError, "Flag %s already specified" % name
1904762Snate@binkert.org
1914762Snate@binkert.org    compound = tuple(flags)
1924762Snate@binkert.org    for flag in compound:
1934762Snate@binkert.org        if flag not in all_flags:
1944762Snate@binkert.org            raise AttributeError, "Trace flag %s not found" % flag
1954762Snate@binkert.org        if all_flags[flag]:
1964762Snate@binkert.org            raise AttributeError, \
1974762Snate@binkert.org                "Compound flag can't point to another compound flag"
1984762Snate@binkert.org
1994762Snate@binkert.org    flag = (name, compound, desc)
2004762Snate@binkert.org    trace_flags.append(flag)
2014762Snate@binkert.org    all_flags[name] = compound
2024762Snate@binkert.org
2034762Snate@binkert.orgExport('TraceFlag')
2044762Snate@binkert.orgExport('CompoundFlag')
2054762Snate@binkert.org
2064762Snate@binkert.org########################################################################
2074382Sbinkertn@umich.edu#
2084382Sbinkertn@umich.edu# Set some compiler variables
2094762Snate@binkert.org#
2104762Snate@binkert.org
2114762Snate@binkert.org# Include file paths are rooted in this directory.  SCons will
2124382Sbinkertn@umich.edu# automatically expand '.' to refer to both the source directory and
2134382Sbinkertn@umich.edu# the corresponding build directory to pick up generated include
2144762Snate@binkert.org# files.
2154382Sbinkertn@umich.eduenv.Append(CPPPATH=Dir('.'))
2164382Sbinkertn@umich.edu
2174762Snate@binkert.orgfor extra_dir in extras_dir_list:
2184382Sbinkertn@umich.edu    env.Append(CPPPATH=Dir(extra_dir))
2194382Sbinkertn@umich.edu
2204762Snate@binkert.org# Add a flag defining what THE_ISA should be for all compilation
2214382Sbinkertn@umich.eduenv.Append(CPPDEFINES=[('THE_ISA','%s_ISA' % env['TARGET_ISA'].upper())])
2224762Snate@binkert.org
2234762Snate@binkert.org# Workaround for bug in SCons version > 0.97d20071212
2244382Sbinkertn@umich.edu# Scons bug id: 2006 M5 Bug id: 308 
2254382Sbinkertn@umich.edufor root, dirs, files in os.walk(base_dir, topdown=True):
2264762Snate@binkert.org    Dir(root[len(base_dir) + 1:])
2274762Snate@binkert.org
2284762Snate@binkert.org########################################################################
2294762Snate@binkert.org#
2304762Snate@binkert.org# Walk the tree and execute all SConscripts in subdirectories
2314762Snate@binkert.org#
2324762Snate@binkert.org
2334762Snate@binkert.orghere = Dir('.').srcnode().abspath
2344762Snate@binkert.orgfor root, dirs, files in os.walk(base_dir, topdown=True):
2354762Snate@binkert.org    if root == here:
2364762Snate@binkert.org        # we don't want to recurse back into this SConscript
2374762Snate@binkert.org        continue
2384762Snate@binkert.org
2394762Snate@binkert.org    if 'SConscript' in files:
2404762Snate@binkert.org        build_dir = joinpath(env['BUILDDIR'], root[len(base_dir) + 1:])
2414762Snate@binkert.org        SConscript(joinpath(root, 'SConscript'), build_dir=build_dir)
2424762Snate@binkert.org
2434762Snate@binkert.orgfor extra_dir in extras_dir_list:
2444762Snate@binkert.org    prefix_len = len(dirname(extra_dir)) + 1
2454762Snate@binkert.org    for root, dirs, files in os.walk(extra_dir, topdown=True):
2464762Snate@binkert.org        if 'SConscript' in files:
2474762Snate@binkert.org            build_dir = joinpath(env['BUILDDIR'], root[prefix_len:])
2484762Snate@binkert.org            SConscript(joinpath(root, 'SConscript'), build_dir=build_dir)
2494762Snate@binkert.org
2504762Snate@binkert.orgfor opt in env.ExportOptions:
2514762Snate@binkert.org    env.ConfigFile(opt)
2524762Snate@binkert.org
2534762Snate@binkert.org########################################################################
2544762Snate@binkert.org#
2554762Snate@binkert.org# Prevent any SimObjects from being added after this point, they
2564762Snate@binkert.org# should all have been added in the SConscripts above
2574762Snate@binkert.org#
2584762Snate@binkert.orgclass DictImporter(object):
2594762Snate@binkert.org    '''This importer takes a dictionary of arbitrary module names that
2604762Snate@binkert.org    map to arbitrary filenames.'''
2614762Snate@binkert.org    def __init__(self, modules):
2624762Snate@binkert.org        self.modules = modules
2634762Snate@binkert.org        self.installed = set()
2644762Snate@binkert.org
2654762Snate@binkert.org    def __del__(self):
2664762Snate@binkert.org        self.unload()
2674762Snate@binkert.org
2684762Snate@binkert.org    def unload(self):
2694762Snate@binkert.org        import sys
2704762Snate@binkert.org        for module in self.installed:
2714762Snate@binkert.org            del sys.modules[module]
2724762Snate@binkert.org        self.installed = set()
2734762Snate@binkert.org
2744762Snate@binkert.org    def find_module(self, fullname, path):
2754382Sbinkertn@umich.edu        if fullname == 'defines':
2764762Snate@binkert.org            return self
2774382Sbinkertn@umich.edu
2784762Snate@binkert.org        if fullname == 'm5.objects':
2794382Sbinkertn@umich.edu            return self
2804762Snate@binkert.org
2814762Snate@binkert.org        if fullname.startswith('m5.internal'):
2824762Snate@binkert.org            return None
2834762Snate@binkert.org
2844382Sbinkertn@umich.edu        if fullname in self.modules and exists(self.modules[fullname]):
2854382Sbinkertn@umich.edu            return self
2864382Sbinkertn@umich.edu
2874382Sbinkertn@umich.edu        return None
2884382Sbinkertn@umich.edu
2894382Sbinkertn@umich.edu    def load_module(self, fullname):
2904762Snate@binkert.org        mod = imp.new_module(fullname)
2914382Sbinkertn@umich.edu        sys.modules[fullname] = mod
2924382Sbinkertn@umich.edu        self.installed.add(fullname)
2934382Sbinkertn@umich.edu
2944382Sbinkertn@umich.edu        mod.__loader__ = self
2954762Snate@binkert.org        if fullname == 'm5.objects':
2964762Snate@binkert.org            mod.__path__ = fullname.split('.')
2974762Snate@binkert.org            return mod
2984382Sbinkertn@umich.edu
2994762Snate@binkert.org        if fullname == 'defines':
3004382Sbinkertn@umich.edu            mod.__dict__['buildEnv'] = build_env
3014382Sbinkertn@umich.edu            return mod
3024382Sbinkertn@umich.edu
3034762Snate@binkert.org        srcfile = self.modules[fullname]
3044762Snate@binkert.org        if basename(srcfile) == '__init__.py':
3054382Sbinkertn@umich.edu            mod.__path__ = fullname.split('.')
3064382Sbinkertn@umich.edu        mod.__file__ = srcfile
3074382Sbinkertn@umich.edu
3084762Snate@binkert.org        exec file(srcfile, 'r') in mod.__dict__
3094382Sbinkertn@umich.edu
3104382Sbinkertn@umich.edu        return mod
3114762Snate@binkert.org
3124762Snate@binkert.orgpy_modules = {}
3134762Snate@binkert.orgfor source in py_sources:
3144382Sbinkertn@umich.edu    py_modules[source.modpath] = source.snode.abspath
3154382Sbinkertn@umich.edu
3164382Sbinkertn@umich.edu# install the python importer so we can grab stuff from the source
3174382Sbinkertn@umich.edu# tree itself.  We can't have SimObjects added after this point or
3184382Sbinkertn@umich.edu# else we won't know about them for the rest of the stuff.
3194382Sbinkertn@umich.edusim_objects_fixed = True
3204382Sbinkertn@umich.eduimporter = DictImporter(py_modules)
3214382Sbinkertn@umich.edusys.meta_path[0:0] = [ importer ]
3224382Sbinkertn@umich.edu
3234382Sbinkertn@umich.eduimport m5
324955SN/A
325955SN/A# import all sim objects so we can populate the all_objects list
326955SN/A# make sure that we're working with a list, then let's sort it
327955SN/Asim_objects = list(sim_object_modfiles)
3281108SN/Asim_objects.sort()
329955SN/Afor simobj in sim_objects:
330955SN/A    exec('from m5.objects import %s' % simobj)
331955SN/A
332955SN/A# we need to unload all of the currently imported modules so that they
333955SN/A# will be re-imported the next time the sconscript is run
334955SN/Aimporter.unload()
335955SN/Asys.meta_path.remove(importer)
336955SN/A
337955SN/Asim_objects = m5.SimObject.allClasses
3382655Sstever@eecs.umich.eduall_enums = m5.params.allEnums
3392655Sstever@eecs.umich.edu
3402655Sstever@eecs.umich.eduall_params = {}
3412655Sstever@eecs.umich.edufor name,obj in sim_objects.iteritems():
3422655Sstever@eecs.umich.edu    for param in obj._params.local.values():
3432655Sstever@eecs.umich.edu        if not hasattr(param, 'swig_decl'):
3442655Sstever@eecs.umich.edu            continue
3452655Sstever@eecs.umich.edu        pname = param.ptype_str
3462655Sstever@eecs.umich.edu        if pname not in all_params:
3472655Sstever@eecs.umich.edu            all_params[pname] = param
3484762Snate@binkert.org
3492655Sstever@eecs.umich.edu########################################################################
3502655Sstever@eecs.umich.edu#
3514007Ssaidi@eecs.umich.edu# calculate extra dependencies
3524596Sbinkertn@umich.edu#
3534007Ssaidi@eecs.umich.edumodule_depends = ["m5", "m5.SimObject", "m5.params"]
3544596Sbinkertn@umich.edudepends = [ File(py_modules[dep]) for dep in module_depends ]
3554596Sbinkertn@umich.edu
3562655Sstever@eecs.umich.edu########################################################################
3574382Sbinkertn@umich.edu#
3582655Sstever@eecs.umich.edu# Commands for the basic automatically generated python files
3592655Sstever@eecs.umich.edu#
3602655Sstever@eecs.umich.edu
361955SN/Ascons_dir = str(SCons.Node.FS.default_fs.SConstruct_dir)
3623918Ssaidi@eecs.umich.edu
3633918Ssaidi@eecs.umich.eduhg_info = ("Unknown", "Unknown", "Unknown")
3643918Ssaidi@eecs.umich.eduhg_demandimport = False
3653918Ssaidi@eecs.umich.edutry:
3663918Ssaidi@eecs.umich.edu    if not exists(scons_dir) or not isdir(scons_dir) or \
3673918Ssaidi@eecs.umich.edu           not exists(joinpath(scons_dir, ".hg")):
3683918Ssaidi@eecs.umich.edu        raise ValueError(".hg directory not found")
3693918Ssaidi@eecs.umich.edu
3703918Ssaidi@eecs.umich.edu    import mercurial.demandimport, mercurial.hg, mercurial.ui
3713918Ssaidi@eecs.umich.edu    import mercurial.util, mercurial.node
3723918Ssaidi@eecs.umich.edu    hg_demandimport = True
3733918Ssaidi@eecs.umich.edu
3743918Ssaidi@eecs.umich.edu    repo = mercurial.hg.repository(mercurial.ui.ui(), scons_dir)
3753918Ssaidi@eecs.umich.edu    rev = mercurial.node.nullrev + repo.changelog.count()
3763940Ssaidi@eecs.umich.edu    changenode = repo.changelog.node(rev)
3773940Ssaidi@eecs.umich.edu    changes = repo.changelog.read(changenode)
3783940Ssaidi@eecs.umich.edu    id = mercurial.node.hex(changenode)
3793942Ssaidi@eecs.umich.edu    date = mercurial.util.datestr(changes[2])
3803940Ssaidi@eecs.umich.edu
3813515Ssaidi@eecs.umich.edu    hg_info = (rev, id, date)
3823918Ssaidi@eecs.umich.eduexcept ImportError, e:
3834762Snate@binkert.org    print "Mercurial not found"
3843515Ssaidi@eecs.umich.eduexcept ValueError, e:
3852655Sstever@eecs.umich.edu    print e
3863918Ssaidi@eecs.umich.eduexcept Exception, e:
3873619Sbinkertn@umich.edu    print "Other mercurial exception: %s" % e
388955SN/A
389955SN/Aif hg_demandimport:
3902655Sstever@eecs.umich.edu    mercurial.demandimport.disable()
3913918Ssaidi@eecs.umich.edu
3923619Sbinkertn@umich.edu# Generate Python file containing a dict specifying the current
393955SN/A# build_env flags.
394955SN/Adef makeDefinesPyFile(target, source, env):
3952655Sstever@eecs.umich.edu    f = file(str(target[0]), 'w')
3963918Ssaidi@eecs.umich.edu    build_env, hg_info = [ x.get_contents() for x in source ]
3973619Sbinkertn@umich.edu    print >>f, "buildEnv = %s" % build_env
398955SN/A    print >>f, "hgRev, hgId, hgDate = %s" % hg_info
399955SN/A    f.close()
4002655Sstever@eecs.umich.edu
4013918Ssaidi@eecs.umich.edudefines_info = [ Value(build_env), Value(hg_info) ]
4023683Sstever@eecs.umich.edu# Generate a file with all of the compile options in it
4032655Sstever@eecs.umich.eduenv.Command('python/m5/defines.py', defines_info, makeDefinesPyFile)
4041869SN/APySource('m5', 'python/m5/defines.py')
4051869SN/A
406# Generate python file containing info about the M5 source code
407def makeInfoPyFile(target, source, env):
408    f = file(str(target[0]), 'w')
409    for src in source:
410        data = ''.join(file(src.srcnode().abspath, 'r').xreadlines())
411        print >>f, "%s = %s" % (src, repr(data))
412    f.close()
413
414# Generate a file that wraps the basic top level files
415env.Command('python/m5/info.py',
416            [ '#/AUTHORS', '#/LICENSE', '#/README', '#/RELEASE_NOTES' ],
417            makeInfoPyFile)
418PySource('m5', 'python/m5/info.py')
419
420# Generate the __init__.py file for m5.objects
421def makeObjectsInitFile(target, source, env):
422    f = file(str(target[0]), 'w')
423    print >>f, 'from params import *'
424    print >>f, 'from m5.SimObject import *'
425    for module in source:
426        print >>f, 'from %s import *' % module.get_contents()
427    f.close()
428
429# Generate an __init__.py file for the objects package
430env.Command('python/m5/objects/__init__.py',
431            [ Value(o) for o in sort_list(sim_object_modfiles) ],
432            makeObjectsInitFile)
433PySource('m5.objects', 'python/m5/objects/__init__.py')
434
435########################################################################
436#
437# Create all of the SimObject param headers and enum headers
438#
439
440def createSimObjectParam(target, source, env):
441    assert len(target) == 1 and len(source) == 1
442
443    hh_file = file(target[0].abspath, 'w')
444    name = str(source[0].get_contents())
445    obj = sim_objects[name]
446
447    print >>hh_file, obj.cxx_decl()
448
449def createSwigParam(target, source, env):
450    assert len(target) == 1 and len(source) == 1
451
452    i_file = file(target[0].abspath, 'w')
453    name = str(source[0].get_contents())
454    param = all_params[name]
455
456    for line in param.swig_decl():
457        print >>i_file, line
458
459def createEnumStrings(target, source, env):
460    assert len(target) == 1 and len(source) == 1
461
462    cc_file = file(target[0].abspath, 'w')
463    name = str(source[0].get_contents())
464    obj = all_enums[name]
465
466    print >>cc_file, obj.cxx_def()
467    cc_file.close()
468
469def createEnumParam(target, source, env):
470    assert len(target) == 1 and len(source) == 1
471
472    hh_file = file(target[0].abspath, 'w')
473    name = str(source[0].get_contents())
474    obj = all_enums[name]
475
476    print >>hh_file, obj.cxx_decl()
477
478# Generate all of the SimObject param struct header files
479params_hh_files = []
480for name,simobj in sim_objects.iteritems():
481    extra_deps = [ File(py_modules[simobj.__module__]) ]
482
483    hh_file = File('params/%s.hh' % name)
484    params_hh_files.append(hh_file)
485    env.Command(hh_file, Value(name), createSimObjectParam)
486    env.Depends(hh_file, depends + extra_deps)
487
488# Generate any parameter header files needed
489params_i_files = []
490for name,param in all_params.iteritems():
491    if isinstance(param, m5.params.VectorParamDesc):
492        ext = 'vptype'
493    else:
494        ext = 'ptype'
495
496    i_file = File('params/%s_%s.i' % (name, ext))
497    params_i_files.append(i_file)
498    env.Command(i_file, Value(name), createSwigParam)
499    env.Depends(i_file, depends)
500
501# Generate all enum header files
502for name,enum in all_enums.iteritems():
503    extra_deps = [ File(py_modules[enum.__module__]) ]
504
505    cc_file = File('enums/%s.cc' % name)
506    env.Command(cc_file, Value(name), createEnumStrings)
507    env.Depends(cc_file, depends + extra_deps)
508    Source(cc_file)
509
510    hh_file = File('enums/%s.hh' % name)
511    env.Command(hh_file, Value(name), createEnumParam)
512    env.Depends(hh_file, depends + extra_deps)
513
514# Build the big monolithic swigged params module (wraps all SimObject
515# param structs and enum structs)
516def buildParams(target, source, env):
517    names = [ s.get_contents() for s in source ]
518    objs = [ sim_objects[name] for name in names ]
519    out = file(target[0].abspath, 'w')
520
521    ordered_objs = []
522    obj_seen = set()
523    def order_obj(obj):
524        name = str(obj)
525        if name in obj_seen:
526            return
527
528        obj_seen.add(name)
529        if str(obj) != 'SimObject':
530            order_obj(obj.__bases__[0])
531
532        ordered_objs.append(obj)
533
534    for obj in objs:
535        order_obj(obj)
536
537    enums = set()
538    predecls = []
539    pd_seen = set()
540
541    def add_pds(*pds):
542        for pd in pds:
543            if pd not in pd_seen:
544                predecls.append(pd)
545                pd_seen.add(pd)
546
547    for obj in ordered_objs:
548        params = obj._params.local.values()
549        for param in params:
550            ptype = param.ptype
551            if issubclass(ptype, m5.params.Enum):
552                if ptype not in enums:
553                    enums.add(ptype)
554            pds = param.swig_predecls()
555            if isinstance(pds, (list, tuple)):
556                add_pds(*pds)
557            else:
558                add_pds(pds)
559
560    print >>out, '%module params'
561
562    print >>out, '%{'
563    for obj in ordered_objs:
564        print >>out, '#include "params/%s.hh"' % obj
565    print >>out, '%}'
566
567    for pd in predecls:
568        print >>out, pd
569
570    enums = list(enums)
571    enums.sort()
572    for enum in enums:
573        print >>out, '%%include "enums/%s.hh"' % enum.__name__
574    print >>out
575
576    for obj in ordered_objs:
577        if obj.swig_objdecls:
578            for decl in obj.swig_objdecls:
579                print >>out, decl
580            continue
581
582        class_path = obj.cxx_class.split('::')
583        classname = class_path[-1]
584        namespaces = class_path[:-1]
585        namespaces.reverse()
586
587        code = ''
588
589        if namespaces:
590            code += '// avoid name conflicts\n'
591            sep_string = '_COLONS_'
592            flat_name = sep_string.join(class_path)
593            code += '%%rename(%s) %s;\n' % (flat_name, classname)
594
595        code += '// stop swig from creating/wrapping default ctor/dtor\n'
596        code += '%%nodefault %s;\n' % classname
597        code += 'class %s ' % classname
598        if obj._base:
599            code += ': public %s' % obj._base.cxx_class
600        code += ' {};\n'
601
602        for ns in namespaces:
603            new_code = 'namespace %s {\n' % ns
604            new_code += code
605            new_code += '}\n'
606            code = new_code
607
608        print >>out, code
609
610    print >>out, '%%include "src/sim/sim_object_params.hh"' % obj
611    for obj in ordered_objs:
612        print >>out, '%%include "params/%s.hh"' % obj
613
614params_file = File('params/params.i')
615names = sort_list(sim_objects.keys())
616env.Command(params_file, [ Value(v) for v in names ], buildParams)
617env.Depends(params_file, params_hh_files + params_i_files + depends)
618SwigSource('m5.objects', params_file)
619
620# Build all swig modules
621swig_modules = []
622cc_swig_sources = []
623for source,package in swig_sources:
624    filename = str(source)
625    assert filename.endswith('.i')
626
627    base = '.'.join(filename.split('.')[:-1])
628    module = basename(base)
629    cc_file = base + '_wrap.cc'
630    py_file = base + '.py'
631
632    env.Command([cc_file, py_file], source,
633                '$SWIG $SWIGFLAGS -outdir ${TARGETS[1].dir} '
634                '-o ${TARGETS[0]} $SOURCES')
635    env.Depends(py_file, source)
636    env.Depends(cc_file, source)
637
638    swig_modules.append(Value(module))
639    cc_swig_sources.append(File(cc_file))
640    PySource(package, py_file)
641
642# Generate the main swig init file
643def makeSwigInit(target, source, env):
644    f = file(str(target[0]), 'w')
645    print >>f, 'extern "C" {'
646    for module in source:
647        print >>f, '    void init_%s();' % module.get_contents()
648    print >>f, '}'
649    print >>f, 'void initSwig() {'
650    for module in source:
651        print >>f, '    init_%s();' % module.get_contents()
652    print >>f, '}'
653    f.close()
654
655env.Command('python/swig/init.cc', swig_modules, makeSwigInit)
656Source('python/swig/init.cc')
657
658# Generate traceflags.py
659def traceFlagsPy(target, source, env):
660    assert(len(target) == 1)
661
662    f = file(str(target[0]), 'w')
663
664    allFlags = []
665    for s in source:
666        val = eval(s.get_contents())
667        allFlags.append(val)
668
669    print >>f, 'baseFlags = ['
670    for flag, compound, desc in allFlags:
671        if not compound:
672            print >>f, "    '%s'," % flag
673    print >>f, "    ]"
674    print >>f
675
676    print >>f, 'compoundFlags = ['
677    print >>f, "    'All',"
678    for flag, compound, desc in allFlags:
679        if compound:
680            print >>f, "    '%s'," % flag
681    print >>f, "    ]"
682    print >>f
683
684    print >>f, "allFlags = frozenset(baseFlags + compoundFlags)"
685    print >>f
686
687    print >>f, 'compoundFlagMap = {'
688    all = tuple([flag for flag,compound,desc in allFlags if not compound])
689    print >>f, "    'All' : %s," % (all, )
690    for flag, compound, desc in allFlags:
691        if compound:
692            print >>f, "    '%s' : %s," % (flag, compound)
693    print >>f, "    }"
694    print >>f
695
696    print >>f, 'flagDescriptions = {'
697    print >>f, "    'All' : 'All flags',"
698    for flag, compound, desc in allFlags:
699        print >>f, "    '%s' : '%s'," % (flag, desc)
700    print >>f, "    }"
701
702    f.close()
703
704def traceFlagsCC(target, source, env):
705    assert(len(target) == 1)
706
707    f = file(str(target[0]), 'w')
708
709    allFlags = []
710    for s in source:
711        val = eval(s.get_contents())
712        allFlags.append(val)
713
714    # file header
715    print >>f, '''
716/*
717 * DO NOT EDIT THIS FILE! Automatically generated
718 */
719
720#include "base/traceflags.hh"
721
722using namespace Trace;
723
724const char *Trace::flagStrings[] =
725{'''
726
727    # The string array is used by SimpleEnumParam to map the strings
728    # provided by the user to enum values.
729    for flag, compound, desc in allFlags:
730        if not compound:
731            print >>f, '    "%s",' % flag
732
733    print >>f, '    "All",'
734    for flag, compound, desc in allFlags:
735        if compound:
736            print >>f, '    "%s",' % flag
737
738    print >>f, '};'
739    print >>f
740    print >>f, 'const int Trace::numFlagStrings = %d;' % (len(allFlags) + 1)
741    print >>f
742
743    #
744    # Now define the individual compound flag arrays.  There is an array
745    # for each compound flag listing the component base flags.
746    #
747    all = tuple([flag for flag,compound,desc in allFlags if not compound])
748    print >>f, 'static const Flags AllMap[] = {'
749    for flag, compound, desc in allFlags:
750        if not compound:
751            print >>f, "    %s," % flag
752    print >>f, '};'
753    print >>f
754
755    for flag, compound, desc in allFlags:
756        if not compound:
757            continue
758        print >>f, 'static const Flags %sMap[] = {' % flag
759        for flag in compound:
760            print >>f, "    %s," % flag
761        print >>f, "    (Flags)-1"
762        print >>f, '};'
763        print >>f
764
765    #
766    # Finally the compoundFlags[] array maps the compound flags
767    # to their individual arrays/
768    #
769    print >>f, 'const Flags *Trace::compoundFlags[] ='
770    print >>f, '{'
771    print >>f, '    AllMap,'
772    for flag, compound, desc in allFlags:
773        if compound:
774            print >>f, '    %sMap,' % flag
775    # file trailer
776    print >>f, '};'
777
778    f.close()
779
780def traceFlagsHH(target, source, env):
781    assert(len(target) == 1)
782
783    f = file(str(target[0]), 'w')
784
785    allFlags = []
786    for s in source:
787        val = eval(s.get_contents())
788        allFlags.append(val)
789
790    # file header boilerplate
791    print >>f, '''
792/*
793 * DO NOT EDIT THIS FILE!
794 *
795 * Automatically generated from traceflags.py
796 */
797
798#ifndef __BASE_TRACE_FLAGS_HH__
799#define __BASE_TRACE_FLAGS_HH__
800
801namespace Trace {
802
803enum Flags {'''
804
805    # Generate the enum.  Base flags come first, then compound flags.
806    idx = 0
807    for flag, compound, desc in allFlags:
808        if not compound:
809            print >>f, '    %s = %d,' % (flag, idx)
810            idx += 1
811
812    numBaseFlags = idx
813    print >>f, '    NumFlags = %d,' % idx
814
815    # put a comment in here to separate base from compound flags
816    print >>f, '''
817// The remaining enum values are *not* valid indices for Trace::flags.
818// They are "compound" flags, which correspond to sets of base
819// flags, and are used by changeFlag.'''
820
821    print >>f, '    All = %d,' % idx
822    idx += 1
823    for flag, compound, desc in allFlags:
824        if compound:
825            print >>f, '    %s = %d,' % (flag, idx)
826            idx += 1
827
828    numCompoundFlags = idx - numBaseFlags
829    print >>f, '    NumCompoundFlags = %d' % numCompoundFlags
830
831    # trailer boilerplate
832    print >>f, '''\
833}; // enum Flags
834
835// Array of strings for SimpleEnumParam
836extern const char *flagStrings[];
837extern const int numFlagStrings;
838
839// Array of arraay pointers: for each compound flag, gives the list of
840// base flags to set.  Inidividual flag arrays are terminated by -1.
841extern const Flags *compoundFlags[];
842
843/* namespace Trace */ }
844
845#endif // __BASE_TRACE_FLAGS_HH__
846'''
847
848    f.close()
849
850flags = [ Value(f) for f in trace_flags ]
851env.Command('base/traceflags.py', flags, traceFlagsPy)
852PySource('m5', 'base/traceflags.py')
853
854env.Command('base/traceflags.hh', flags, traceFlagsHH)
855env.Command('base/traceflags.cc', flags, traceFlagsCC)
856Source('base/traceflags.cc')
857
858# embed python files.  All .py files that have been indicated by a
859# PySource() call in a SConscript need to be embedded into the M5
860# library.  To do that, we compile the file to byte code, marshal the
861# byte code, compress it, and then generate an assembly file that
862# inserts the result into the data section with symbols indicating the
863# beginning, and end (and with the size at the end)
864py_sources_tnodes = {}
865for pysource in py_sources:
866    py_sources_tnodes[pysource.tnode] = pysource
867
868def objectifyPyFile(target, source, env):
869    '''Action function to compile a .py into a code object, marshal
870    it, compress it, and stick it into an asm file so the code appears
871    as just bytes with a label in the data section'''
872
873    src = file(str(source[0]), 'r').read()
874    dst = file(str(target[0]), 'w')
875
876    pysource = py_sources_tnodes[source[0]]
877    compiled = compile(src, pysource.debugname, 'exec')
878    marshalled = marshal.dumps(compiled)
879    compressed = zlib.compress(marshalled)
880    data = compressed
881
882    # Some C/C++ compilers prepend an underscore to global symbol
883    # names, so if they're going to do that, we need to prepend that
884    # leading underscore to globals in the assembly file.
885    if env['LEADING_UNDERSCORE']:
886        sym = '_' + pysource.symname
887    else:
888        sym = pysource.symname
889
890    step = 16
891    print >>dst, ".data"
892    print >>dst, ".globl %s_beg" % sym
893    print >>dst, ".globl %s_end" % sym
894    print >>dst, "%s_beg:" % sym
895    for i in xrange(0, len(data), step):
896        x = array.array('B', data[i:i+step])
897        print >>dst, ".byte", ','.join([str(d) for d in x])
898    print >>dst, "%s_end:" % sym
899    print >>dst, ".long %d" % len(marshalled)
900
901for source in py_sources:
902    env.Command(source.assembly, source.tnode, objectifyPyFile)
903    Source(source.assembly)
904
905# Generate init_python.cc which creates a bunch of EmbeddedPyModule
906# structs that describe the embedded python code.  One such struct
907# contains information about the importer that python uses to get at
908# the embedded files, and then there's a list of all of the rest that
909# the importer uses to load the rest on demand.
910py_sources_symbols = {}
911for pysource in py_sources:
912    py_sources_symbols[pysource.symname] = pysource
913def pythonInit(target, source, env):
914    dst = file(str(target[0]), 'w')
915
916    def dump_mod(sym, endchar=','):
917        pysource = py_sources_symbols[sym]
918        print >>dst, '    { "%s",' % pysource.arcname
919        print >>dst, '      "%s",' % pysource.modpath
920        print >>dst, '       %s_beg, %s_end,' % (sym, sym)
921        print >>dst, '       %s_end - %s_beg,' % (sym, sym)
922        print >>dst, '       *(int *)%s_end }%s'  % (sym, endchar)
923    
924    print >>dst, '#include "sim/init.hh"'
925
926    for sym in source:
927        sym = sym.get_contents()
928        print >>dst, "extern const char %s_beg[], %s_end[];" % (sym, sym)
929
930    print >>dst, "const EmbeddedPyModule embeddedPyImporter = "
931    dump_mod("PyEMB_importer", endchar=';');
932    print >>dst
933
934    print >>dst, "const EmbeddedPyModule embeddedPyModules[] = {"
935    for i,sym in enumerate(source):
936        sym = sym.get_contents()
937        if sym == "PyEMB_importer":
938            # Skip the importer since we've already exported it
939            continue
940        dump_mod(sym)
941    print >>dst, "    { 0, 0, 0, 0, 0, 0 }"
942    print >>dst, "};"
943
944symbols = [Value(s.symname) for s in py_sources]
945env.Command('sim/init_python.cc', symbols, pythonInit)
946Source('sim/init_python.cc')
947
948########################################################################
949#
950# Define binaries.  Each different build type (debug, opt, etc.) gets
951# a slightly different build environment.
952#
953
954# List of constructed environments to pass back to SConstruct
955envList = []
956
957# This function adds the specified sources to the given build
958# environment, and returns a list of all the corresponding SCons
959# Object nodes (including an extra one for date.cc).  We explicitly
960# add the Object nodes so we can set up special dependencies for
961# date.cc.
962def make_objs(sources, env, static):
963    if static:
964        XObject = env.StaticObject
965    else:
966        XObject = env.SharedObject
967
968    objs = [ XObject(s) for s in sources ]
969  
970    # make date.cc depend on all other objects so it always gets
971    # recompiled whenever anything else does
972    date_obj = XObject('base/date.cc')
973
974    env.Depends(date_obj, objs)
975    objs.append(date_obj)
976    return objs
977
978# Function to create a new build environment as clone of current
979# environment 'env' with modified object suffix and optional stripped
980# binary.  Additional keyword arguments are appended to corresponding
981# build environment vars.
982def makeEnv(label, objsfx, strip = False, **kwargs):
983    # SCons doesn't know to append a library suffix when there is a '.' in the
984    # name.  Use '_' instead.
985    libname = 'm5_' + label
986    exename = 'm5.' + label
987
988    new_env = env.Copy(OBJSUFFIX=objsfx, SHOBJSUFFIX=objsfx + 's')
989    new_env.Label = label
990    new_env.Append(**kwargs)
991
992    swig_env = new_env.Copy()
993    if env['GCC']:
994        swig_env.Append(CCFLAGS='-Wno-uninitialized')
995        swig_env.Append(CCFLAGS='-Wno-sign-compare')
996        swig_env.Append(CCFLAGS='-Wno-parentheses')
997
998    static_objs = make_objs(cc_lib_sources, new_env, static=True)
999    shared_objs = make_objs(cc_lib_sources, new_env, static=False)
1000    static_objs += [ swig_env.StaticObject(s) for s in cc_swig_sources ]
1001    shared_objs += [ swig_env.SharedObject(s) for s in cc_swig_sources ]
1002
1003    # First make a library of everything but main() so other programs can
1004    # link against m5.
1005    static_lib = new_env.StaticLibrary(libname, static_objs)
1006    shared_lib = new_env.SharedLibrary(libname, shared_objs)
1007
1008    for target, sources in unit_tests:
1009        objs = [ new_env.StaticObject(s) for s in sources ]
1010        new_env.Program("unittest/%s.%s" % (target, label), objs + static_lib)
1011
1012    # Now link a stub with main() and the static library.
1013    objects = [new_env.Object(s) for s in cc_bin_sources] + static_lib
1014    if strip:
1015        unstripped_exe = exename + '.unstripped'
1016        new_env.Program(unstripped_exe, objects)
1017        if sys.platform == 'sunos5':
1018            cmd = 'cp $SOURCE $TARGET; strip $TARGET'
1019        else:
1020            cmd = 'strip $SOURCE -o $TARGET'
1021        targets = new_env.Command(exename, unstripped_exe, cmd)
1022    else:
1023        targets = new_env.Program(exename, objects)
1024            
1025    new_env.M5Binary = targets[0]
1026    envList.append(new_env)
1027
1028# Debug binary
1029ccflags = {}
1030if env['GCC']:
1031    if sys.platform == 'sunos5':
1032        ccflags['debug'] = '-gstabs+'
1033    else:
1034        ccflags['debug'] = '-ggdb3'
1035    ccflags['opt'] = '-g -O3'
1036    ccflags['fast'] = '-O3'
1037    ccflags['prof'] = '-O3 -g -pg'
1038elif env['SUNCC']:
1039    ccflags['debug'] = '-g0'
1040    ccflags['opt'] = '-g -O'
1041    ccflags['fast'] = '-fast'
1042    ccflags['prof'] = '-fast -g -pg'
1043elif env['ICC']:
1044    ccflags['debug'] = '-g -O0'
1045    ccflags['opt'] = '-g -O'
1046    ccflags['fast'] = '-fast'
1047    ccflags['prof'] = '-fast -g -pg'
1048else:
1049    print 'Unknown compiler, please fix compiler options'
1050    Exit(1)
1051
1052makeEnv('debug', '.do',
1053        CCFLAGS = Split(ccflags['debug']),
1054        CPPDEFINES = ['DEBUG', 'TRACING_ON=1'])
1055
1056# Optimized binary
1057makeEnv('opt', '.o',
1058        CCFLAGS = Split(ccflags['opt']),
1059        CPPDEFINES = ['TRACING_ON=1'])
1060
1061# "Fast" binary
1062makeEnv('fast', '.fo', strip = True,
1063        CCFLAGS = Split(ccflags['fast']),
1064        CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'])
1065
1066# Profiled binary
1067makeEnv('prof', '.po',
1068        CCFLAGS = Split(ccflags['prof']),
1069        CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1070        LINKFLAGS = '-pg')
1071
1072Return('envList')
1073