SConscript revision 5517
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#
292665Ssaidi@eecs.umich.edu# Authors: Nathan Binkert
30955SN/A
31955SN/Aimport imp
32955SN/Aimport os
333583Sbinkertn@umich.eduimport py_compile
34955SN/Aimport sys
35955SN/Aimport zipfile
36955SN/A
37955SN/Afrom os.path import basename, exists, isdir, isfile, join as joinpath
38955SN/A
39955SN/Aimport SCons
40955SN/A
41955SN/A# This file defines how to build a particular configuration of M5
42955SN/A# based on variable settings in the 'env' build environment.
43955SN/A
44955SN/AImport('*')
45955SN/A
46955SN/A# Children need to see the environment
47955SN/AExport('env')
482023SN/A
49955SN/Abuild_env = dict([(opt, env[opt]) for opt in env.ExportOptions])
503089Ssaidi@eecs.umich.edu
51955SN/Adef sort_list(_list):
52955SN/A    """return a sorted copy of '_list'"""
53955SN/A    if isinstance(_list, list):
54955SN/A        _list = _list[:]
55955SN/A    else:
56955SN/A        _list = list(_list)
57955SN/A    _list.sort()
58955SN/A    return _list
591031SN/A
60955SN/Aclass PySourceFile(object):
611388SN/A    def __init__(self, package, source):
62955SN/A        filename = str(source)
63955SN/A        pyname = basename(filename)
641296SN/A        assert pyname.endswith('.py')
65955SN/A        name = pyname[:-3]
66955SN/A        path = package.split('.')
67955SN/A        modpath = path
68955SN/A        if name != '__init__':
69955SN/A            modpath += [name]
70955SN/A        modpath = '.'.join(modpath)
71955SN/A
72955SN/A        arcpath = package.split('.') + [ pyname + 'c' ]
73955SN/A        arcname = joinpath(*arcpath)
74955SN/A
75955SN/A        self.source = source
76955SN/A        self.pyname = pyname
773584Ssaidi@eecs.umich.edu        self.srcpath = source.srcnode().abspath
78955SN/A        self.package = package
79955SN/A        self.modpath = modpath
80955SN/A        self.arcname = arcname
81955SN/A        self.filename = filename
82955SN/A        self.compiled = File(filename + 'c')
83955SN/A
84955SN/A########################################################################
852325SN/A# Code for adding source files of various types
861717SN/A#
872652Ssaidi@eecs.umich.educc_sources = []
88955SN/Adef Source(source):
892736Sktlim@umich.edu    '''Add a C/C++ source file to the build'''
902410SN/A    if not isinstance(source, SCons.Node.FS.File):
91955SN/A        source = File(source)
922290SN/A
93955SN/A    cc_sources.append(source)
942683Sktlim@umich.edu
952683Sktlim@umich.edupy_sources = []
962669Sktlim@umich.edudef PySource(package, source):
972568SN/A    '''Add a python source file to the named package'''
982568SN/A    if not isinstance(source, SCons.Node.FS.File):
993012Ssaidi@eecs.umich.edu        source = File(source)
1002462SN/A
1012568SN/A    source = PySourceFile(package, source)
1022395SN/A    py_sources.append(source)
1032405SN/A
1042914Ssaidi@eecs.umich.edusim_objects_fixed = False
105955SN/Asim_object_modfiles = set()
1062811Srdreslin@umich.edudef SimObject(source):
1072811Srdreslin@umich.edu    '''Add a SimObject python file as a python source object and add
1082811Srdreslin@umich.edu    it to a list of sim object modules'''
1092811Srdreslin@umich.edu
1102811Srdreslin@umich.edu    if sim_objects_fixed:
1113719Sstever@eecs.umich.edu        raise AttributeError, "Too late to call SimObject now."
1122811Srdreslin@umich.edu
1132811Srdreslin@umich.edu    if not isinstance(source, SCons.Node.FS.File):
1142811Srdreslin@umich.edu        source = File(source)
1152811Srdreslin@umich.edu
1162811Srdreslin@umich.edu    PySource('m5.objects', source)
1172811Srdreslin@umich.edu    modfile = basename(str(source))
1182811Srdreslin@umich.edu    assert modfile.endswith('.py')
1192811Srdreslin@umich.edu    modname = modfile[:-3]
1202811Srdreslin@umich.edu    sim_object_modfiles.add(modname)
1212814Srdreslin@umich.edu
1222811Srdreslin@umich.eduswig_sources = []
1232811Srdreslin@umich.edudef SwigSource(package, source):
1242811Srdreslin@umich.edu    '''Add a swig file to build'''
1252811Srdreslin@umich.edu    if not isinstance(source, SCons.Node.FS.File):
1262811Srdreslin@umich.edu        source = File(source)
1272811Srdreslin@umich.edu    val = source,package
1282811Srdreslin@umich.edu    swig_sources.append(val)
1292813Srdreslin@umich.edu
1302813Srdreslin@umich.edu# Children should have access
1313868Sbinkertn@umich.eduExport('Source')
1323645Sbinkertn@umich.eduExport('PySource')
1333624Sbinkertn@umich.eduExport('SimObject')
1343871Sbinkertn@umich.eduExport('SwigSource')
1353871Sbinkertn@umich.edu
1363624Sbinkertn@umich.edu########################################################################
137955SN/A#
138955SN/A# Trace Flags
139955SN/A#
1402090SN/Aall_flags = {}
141955SN/Atrace_flags = []
142955SN/Adef TraceFlag(name, desc=''):
1431696SN/A    if name in all_flags:
144955SN/A        raise AttributeError, "Flag %s already specified" % name
145955SN/A    flag = (name, (), desc)
146955SN/A    trace_flags.append(flag)
1471127SN/A    all_flags[name] = ()
148955SN/A
149955SN/Adef CompoundFlag(name, flags, desc=''):
1502379SN/A    if name in all_flags:
151955SN/A        raise AttributeError, "Flag %s already specified" % name
152955SN/A
153955SN/A    compound = tuple(flags)
1542422SN/A    for flag in compound:
1552422SN/A        if flag not in all_flags:
1562422SN/A            raise AttributeError, "Trace flag %s not found" % flag
1572422SN/A        if all_flags[flag]:
1582422SN/A            raise AttributeError, \
1592422SN/A                "Compound flag can't point to another compound flag"
1602422SN/A
1612397SN/A    flag = (name, compound, desc)
1622397SN/A    trace_flags.append(flag)
1632422SN/A    all_flags[name] = compound
1642422SN/A
165955SN/AExport('TraceFlag')
166955SN/AExport('CompoundFlag')
167955SN/A
168955SN/A########################################################################
169955SN/A#
170955SN/A# Set some compiler variables
171955SN/A#
172955SN/A
1731078SN/A# Include file paths are rooted in this directory.  SCons will
174955SN/A# automatically expand '.' to refer to both the source directory and
175955SN/A# the corresponding build directory to pick up generated include
176955SN/A# files.
177955SN/Aenv.Append(CPPPATH=Dir('.'))
1781917SN/A
179955SN/A# Add a flag defining what THE_ISA should be for all compilation
180955SN/Aenv.Append(CPPDEFINES=[('THE_ISA','%s_ISA' % env['TARGET_ISA'].upper())])
1811730SN/A
182955SN/A########################################################################
1832521SN/A#
1842521SN/A# Walk the tree and execute all SConscripts in subdirectories
1852507SN/A#
1862507SN/A
1872989Ssaidi@eecs.umich.edufor base_dir in base_dir_list:
1883408Ssaidi@eecs.umich.edu    here = Dir('.').srcnode().abspath
1892507SN/A    for root, dirs, files in os.walk(base_dir, topdown=True):
1902507SN/A        if root == here:
1912507SN/A            # we don't want to recurse back into this SConscript
192955SN/A            continue
193955SN/A
194955SN/A        if 'SConscript' in files:
195955SN/A            build_dir = joinpath(env['BUILDDIR'], root[len(base_dir) + 1:])
196955SN/A            SConscript(joinpath(root, 'SConscript'), build_dir=build_dir)
197955SN/A
198955SN/Afor opt in env.ExportOptions:
199955SN/A    env.ConfigFile(opt)
2002520SN/A
2012517SN/A########################################################################
2022253SN/A#
2032253SN/A# Prevent any SimObjects from being added after this point, they
2042253SN/A# should all have been added in the SConscripts above
2052253SN/A#
2062553SN/Aclass DictImporter(object):
2072553SN/A    '''This importer takes a dictionary of arbitrary module names that
2082553SN/A    map to arbitrary filenames.'''
2092553SN/A    def __init__(self, modules):
2102507SN/A        self.modules = modules
2112400SN/A        self.installed = set()
2122400SN/A
213955SN/A    def __del__(self):
214955SN/A        self.unload()
2152667Sstever@eecs.umich.edu
2162667Sstever@eecs.umich.edu    def unload(self):
2172667Sstever@eecs.umich.edu        import sys
2182667Sstever@eecs.umich.edu        for module in self.installed:
2192667Sstever@eecs.umich.edu            del sys.modules[module]
2202667Sstever@eecs.umich.edu        self.installed = set()
2212037SN/A
2222037SN/A    def find_module(self, fullname, path):
2232037SN/A        if fullname == '__scons':
2243534Sgblack@eecs.umich.edu            return self
2252139SN/A
2263534Sgblack@eecs.umich.edu        if fullname == 'm5.objects':
2273534Sgblack@eecs.umich.edu            return self
2283542Sgblack@eecs.umich.edu
2293583Sbinkertn@umich.edu        if fullname.startswith('m5.internal'):
2303583Sbinkertn@umich.edu            return None
2313542Sgblack@eecs.umich.edu
2323499Ssaidi@eecs.umich.edu        if fullname in self.modules and exists(self.modules[fullname]):
2333583Sbinkertn@umich.edu            return self
2343583Sbinkertn@umich.edu
2353547Sgblack@eecs.umich.edu        return None
2362155SN/A
237955SN/A    def load_module(self, fullname):
2382155SN/A        mod = imp.new_module(fullname)
239955SN/A        sys.modules[fullname] = mod
2403583Sbinkertn@umich.edu        self.installed.add(fullname)
2413583Sbinkertn@umich.edu
2423583Sbinkertn@umich.edu        mod.__loader__ = self
2433583Sbinkertn@umich.edu        if fullname == 'm5.objects':
2443583Sbinkertn@umich.edu            mod.__path__ = fullname.split('.')
245955SN/A            return mod
246955SN/A
247955SN/A        if fullname == '__scons':
248955SN/A            mod.__dict__['m5_build_env'] = build_env
249955SN/A            return mod
2501858SN/A
251955SN/A        srcfile = self.modules[fullname]
2521858SN/A        if basename(srcfile) == '__init__.py':
2531858SN/A            mod.__path__ = fullname.split('.')
2541858SN/A        mod.__file__ = srcfile
2551085SN/A
256955SN/A        exec file(srcfile, 'r') in mod.__dict__
257955SN/A
258955SN/A        return mod
259955SN/A
260955SN/Aclass ordered_dict(dict):
261955SN/A    def keys(self):
262955SN/A        keys = super(ordered_dict, self).keys()
263955SN/A        keys.sort()
264955SN/A        return keys
265955SN/A
266955SN/A    def values(self):
267955SN/A        return [ self[key] for key in self.keys() ]
2682667Sstever@eecs.umich.edu
2691045SN/A    def items(self):
270955SN/A        return [ (key,self[key]) for key in self.keys() ]
271955SN/A
272955SN/A    def iterkeys(self):
273955SN/A        for key in self.keys():
2741108SN/A            yield key
275955SN/A
276955SN/A    def itervalues(self):
277955SN/A        for value in self.values():
278955SN/A            yield value
279955SN/A
280955SN/A    def iteritems(self):
281955SN/A        for key,value in self.items():
282955SN/A            yield key, value
283955SN/A
284955SN/Apy_modules = {}
285955SN/Afor source in py_sources:
286955SN/A    py_modules[source.modpath] = source.srcpath
287955SN/A
288955SN/A# install the python importer so we can grab stuff from the source
289955SN/A# tree itself.  We can't have SimObjects added after this point or
290955SN/A# else we won't know about them for the rest of the stuff.
2912655Sstever@eecs.umich.edusim_objects_fixed = True
2922655Sstever@eecs.umich.eduimporter = DictImporter(py_modules)
2932655Sstever@eecs.umich.edusys.meta_path[0:0] = [ importer ]
2942655Sstever@eecs.umich.edu
2952655Sstever@eecs.umich.eduimport m5
2962655Sstever@eecs.umich.edu
2972655Sstever@eecs.umich.edu# import all sim objects so we can populate the all_objects list
2982655Sstever@eecs.umich.edu# make sure that we're working with a list, then let's sort it
2992655Sstever@eecs.umich.edusim_objects = list(sim_object_modfiles)
3002655Sstever@eecs.umich.edusim_objects.sort()
3012655Sstever@eecs.umich.edufor simobj in sim_objects:
3022655Sstever@eecs.umich.edu    exec('from m5.objects import %s' % simobj)
3032655Sstever@eecs.umich.edu
3042655Sstever@eecs.umich.edu# we need to unload all of the currently imported modules so that they
3052655Sstever@eecs.umich.edu# will be re-imported the next time the sconscript is run
3062655Sstever@eecs.umich.eduimporter.unload()
3072655Sstever@eecs.umich.edusys.meta_path.remove(importer)
3082655Sstever@eecs.umich.edu
3092655Sstever@eecs.umich.edusim_objects = m5.SimObject.allClasses
3102655Sstever@eecs.umich.eduall_enums = m5.params.allEnums
3112655Sstever@eecs.umich.edu
3122655Sstever@eecs.umich.eduall_params = {}
313955SN/Afor name,obj in sim_objects.iteritems():
3143918Ssaidi@eecs.umich.edu    for param in obj._params.local.values():
3153918Ssaidi@eecs.umich.edu        if not hasattr(param, 'swig_decl'):
3163918Ssaidi@eecs.umich.edu            continue
3173918Ssaidi@eecs.umich.edu        pname = param.ptype_str
3183918Ssaidi@eecs.umich.edu        if pname not in all_params:
3193918Ssaidi@eecs.umich.edu            all_params[pname] = param
3203918Ssaidi@eecs.umich.edu
3213918Ssaidi@eecs.umich.edu########################################################################
3223918Ssaidi@eecs.umich.edu#
3233918Ssaidi@eecs.umich.edu# calculate extra dependencies
3243918Ssaidi@eecs.umich.edu#
3253918Ssaidi@eecs.umich.edumodule_depends = ["m5", "m5.SimObject", "m5.params"]
3263918Ssaidi@eecs.umich.edudepends = [ File(py_modules[dep]) for dep in module_depends ]
3273918Ssaidi@eecs.umich.edu
3283515Ssaidi@eecs.umich.edu########################################################################
3293918Ssaidi@eecs.umich.edu#
3303918Ssaidi@eecs.umich.edu# Commands for the basic automatically generated python files
3313515Ssaidi@eecs.umich.edu#
3322655Sstever@eecs.umich.edu
3333918Ssaidi@eecs.umich.edu# Generate Python file containing a dict specifying the current
3343619Sbinkertn@umich.edu# build_env flags.
335955SN/Adef makeDefinesPyFile(target, source, env):
336955SN/A    f = file(str(target[0]), 'w')
3372655Sstever@eecs.umich.edu    print >>f, "m5_build_env = ", source[0]
3383918Ssaidi@eecs.umich.edu    f.close()
3393619Sbinkertn@umich.edu
340955SN/A# Generate python file containing info about the M5 source code
341955SN/Adef makeInfoPyFile(target, source, env):
3422655Sstever@eecs.umich.edu    f = file(str(target[0]), 'w')
3433918Ssaidi@eecs.umich.edu    for src in source:
3443619Sbinkertn@umich.edu        data = ''.join(file(src.srcnode().abspath, 'r').xreadlines())
345955SN/A        print >>f, "%s = %s" % (src, repr(data))
346955SN/A    f.close()
3472655Sstever@eecs.umich.edu
3483918Ssaidi@eecs.umich.edu# Generate the __init__.py file for m5.objects
3493683Sstever@eecs.umich.edudef makeObjectsInitFile(target, source, env):
3502655Sstever@eecs.umich.edu    f = file(str(target[0]), 'w')
3511869SN/A    print >>f, 'from params import *'
3521869SN/A    print >>f, 'from m5.SimObject import *'
353    for module in source:
354        print >>f, 'from %s import *' % module.get_contents()
355    f.close()
356
357# Generate a file with all of the compile options in it
358env.Command('python/m5/defines.py', Value(build_env), makeDefinesPyFile)
359PySource('m5', 'python/m5/defines.py')
360
361# Generate a file that wraps the basic top level files
362env.Command('python/m5/info.py',
363            [ '#/AUTHORS', '#/LICENSE', '#/README', '#/RELEASE_NOTES' ],
364            makeInfoPyFile)
365PySource('m5', 'python/m5/info.py')
366
367# Generate an __init__.py file for the objects package
368env.Command('python/m5/objects/__init__.py',
369            [ Value(o) for o in sort_list(sim_object_modfiles) ],
370            makeObjectsInitFile)
371PySource('m5.objects', 'python/m5/objects/__init__.py')
372
373########################################################################
374#
375# Create all of the SimObject param headers and enum headers
376#
377
378def createSimObjectParam(target, source, env):
379    assert len(target) == 1 and len(source) == 1
380
381    hh_file = file(target[0].abspath, 'w')
382    name = str(source[0].get_contents())
383    obj = sim_objects[name]
384
385    print >>hh_file, obj.cxx_decl()
386
387def createSwigParam(target, source, env):
388    assert len(target) == 1 and len(source) == 1
389
390    i_file = file(target[0].abspath, 'w')
391    name = str(source[0].get_contents())
392    param = all_params[name]
393
394    for line in param.swig_decl():
395        print >>i_file, line
396
397def createEnumStrings(target, source, env):
398    assert len(target) == 1 and len(source) == 1
399
400    cc_file = file(target[0].abspath, 'w')
401    name = str(source[0].get_contents())
402    obj = all_enums[name]
403
404    print >>cc_file, obj.cxx_def()
405    cc_file.close()
406
407def createEnumParam(target, source, env):
408    assert len(target) == 1 and len(source) == 1
409
410    hh_file = file(target[0].abspath, 'w')
411    name = str(source[0].get_contents())
412    obj = all_enums[name]
413
414    print >>hh_file, obj.cxx_decl()
415
416# Generate all of the SimObject param struct header files
417params_hh_files = []
418for name,simobj in sim_objects.iteritems():
419    extra_deps = [ File(py_modules[simobj.__module__]) ]
420
421    hh_file = File('params/%s.hh' % name)
422    params_hh_files.append(hh_file)
423    env.Command(hh_file, Value(name), createSimObjectParam)
424    env.Depends(hh_file, depends + extra_deps)
425
426# Generate any parameter header files needed
427params_i_files = []
428for name,param in all_params.iteritems():
429    if isinstance(param, m5.params.VectorParamDesc):
430        ext = 'vptype'
431    else:
432        ext = 'ptype'
433
434    i_file = File('params/%s_%s.i' % (name, ext))
435    params_i_files.append(i_file)
436    env.Command(i_file, Value(name), createSwigParam)
437    env.Depends(i_file, depends)
438
439# Generate all enum header files
440for name,enum in all_enums.iteritems():
441    extra_deps = [ File(py_modules[enum.__module__]) ]
442
443    cc_file = File('enums/%s.cc' % name)
444    env.Command(cc_file, Value(name), createEnumStrings)
445    env.Depends(cc_file, depends + extra_deps)
446    Source(cc_file)
447
448    hh_file = File('enums/%s.hh' % name)
449    env.Command(hh_file, Value(name), createEnumParam)
450    env.Depends(hh_file, depends + extra_deps)
451
452# Build the big monolithic swigged params module (wraps all SimObject
453# param structs and enum structs)
454def buildParams(target, source, env):
455    names = [ s.get_contents() for s in source ]
456    objs = [ sim_objects[name] for name in names ]
457    out = file(target[0].abspath, 'w')
458
459    ordered_objs = []
460    obj_seen = set()
461    def order_obj(obj):
462        name = str(obj)
463        if name in obj_seen:
464            return
465
466        obj_seen.add(name)
467        if str(obj) != 'SimObject':
468            order_obj(obj.__bases__[0])
469
470        ordered_objs.append(obj)
471
472    for obj in objs:
473        order_obj(obj)
474
475    enums = set()
476    predecls = []
477    pd_seen = set()
478
479    def add_pds(*pds):
480        for pd in pds:
481            if pd not in pd_seen:
482                predecls.append(pd)
483                pd_seen.add(pd)
484
485    for obj in ordered_objs:
486        params = obj._params.local.values()
487        for param in params:
488            ptype = param.ptype
489            if issubclass(ptype, m5.params.Enum):
490                if ptype not in enums:
491                    enums.add(ptype)
492            pds = param.swig_predecls()
493            if isinstance(pds, (list, tuple)):
494                add_pds(*pds)
495            else:
496                add_pds(pds)
497
498    print >>out, '%module params'
499
500    print >>out, '%{'
501    for obj in ordered_objs:
502        print >>out, '#include "params/%s.hh"' % obj
503    print >>out, '%}'
504
505    for pd in predecls:
506        print >>out, pd
507
508    enums = list(enums)
509    enums.sort()
510    for enum in enums:
511        print >>out, '%%include "enums/%s.hh"' % enum.__name__
512    print >>out
513
514    for obj in ordered_objs:
515        if obj.swig_objdecls:
516            for decl in obj.swig_objdecls:
517                print >>out, decl
518            continue
519
520        code = ''
521        base = obj.get_base()
522
523        code += '// stop swig from creating/wrapping default ctor/dtor\n'
524        code += '%%nodefault %s;\n' % obj.cxx_class
525        code += 'class %s ' % obj.cxx_class
526        if base:
527            code += ': public %s' % base
528        code += ' {};\n'
529
530        klass = obj.cxx_class;
531        if hasattr(obj, 'cxx_namespace'):
532            new_code = 'namespace %s {\n' % obj.cxx_namespace
533            new_code += code
534            new_code += '}\n'
535            code = new_code
536            klass = '%s::%s' % (obj.cxx_namespace, klass)
537
538        print >>out, code
539
540    print >>out, '%%include "src/sim/sim_object_params.hh"' % obj
541    for obj in ordered_objs:
542        print >>out, '%%include "params/%s.hh"' % obj
543
544params_file = File('params/params.i')
545names = sort_list(sim_objects.keys())
546env.Command(params_file, [ Value(v) for v in names ], buildParams)
547env.Depends(params_file, params_hh_files + params_i_files + depends)
548SwigSource('m5.objects', params_file)
549
550# Build all swig modules
551swig_modules = []
552for source,package in swig_sources:
553    filename = str(source)
554    assert filename.endswith('.i')
555
556    base = '.'.join(filename.split('.')[:-1])
557    module = basename(base)
558    cc_file = base + '_wrap.cc'
559    py_file = base + '.py'
560
561    env.Command([cc_file, py_file], source,
562                '$SWIG $SWIGFLAGS -outdir ${TARGETS[1].dir} '
563                '-o ${TARGETS[0]} $SOURCES')
564    env.Depends(py_file, source)
565    env.Depends(cc_file, source)
566
567    swig_modules.append(Value(module))
568    Source(cc_file)
569    PySource(package, py_file)
570
571# Generate the main swig init file
572def makeSwigInit(target, source, env):
573    f = file(str(target[0]), 'w')
574    print >>f, 'extern "C" {'
575    for module in source:
576        print >>f, '    void init_%s();' % module.get_contents()
577    print >>f, '}'
578    print >>f, 'void init_swig() {'
579    for module in source:
580        print >>f, '    init_%s();' % module.get_contents()
581    print >>f, '}'
582    f.close()
583
584env.Command('swig/init.cc', swig_modules, makeSwigInit)
585Source('swig/init.cc')
586
587# Generate traceflags.py
588def traceFlagsPy(target, source, env):
589    assert(len(target) == 1)
590
591    f = file(str(target[0]), 'w')
592
593    allFlags = []
594    for s in source:
595        val = eval(s.get_contents())
596        allFlags.append(val)
597
598    print >>f, 'baseFlags = ['
599    for flag, compound, desc in allFlags:
600        if not compound:
601            print >>f, "    '%s'," % flag
602    print >>f, "    ]"
603    print >>f
604
605    print >>f, 'compoundFlags = ['
606    print >>f, "    'All',"
607    for flag, compound, desc in allFlags:
608        if compound:
609            print >>f, "    '%s'," % flag
610    print >>f, "    ]"
611    print >>f
612
613    print >>f, "allFlags = frozenset(baseFlags + compoundFlags)"
614    print >>f
615
616    print >>f, 'compoundFlagMap = {'
617    all = tuple([flag for flag,compound,desc in allFlags if not compound])
618    print >>f, "    'All' : %s," % (all, )
619    for flag, compound, desc in allFlags:
620        if compound:
621            print >>f, "    '%s' : %s," % (flag, compound)
622    print >>f, "    }"
623    print >>f
624
625    print >>f, 'flagDescriptions = {'
626    print >>f, "    'All' : 'All flags',"
627    for flag, compound, desc in allFlags:
628        print >>f, "    '%s' : '%s'," % (flag, desc)
629    print >>f, "    }"
630
631    f.close()
632
633def traceFlagsCC(target, source, env):
634    assert(len(target) == 1)
635
636    f = file(str(target[0]), 'w')
637
638    allFlags = []
639    for s in source:
640        val = eval(s.get_contents())
641        allFlags.append(val)
642
643    # file header
644    print >>f, '''
645/*
646 * DO NOT EDIT THIS FILE! Automatically generated
647 */
648
649#include "base/traceflags.hh"
650
651using namespace Trace;
652
653const char *Trace::flagStrings[] =
654{'''
655
656    # The string array is used by SimpleEnumParam to map the strings
657    # provided by the user to enum values.
658    for flag, compound, desc in allFlags:
659        if not compound:
660            print >>f, '    "%s",' % flag
661
662    print >>f, '    "All",'
663    for flag, compound, desc in allFlags:
664        if compound:
665            print >>f, '    "%s",' % flag
666
667    print >>f, '};'
668    print >>f
669    print >>f, 'const int Trace::numFlagStrings = %d;' % (len(allFlags) + 1)
670    print >>f
671
672    #
673    # Now define the individual compound flag arrays.  There is an array
674    # for each compound flag listing the component base flags.
675    #
676    all = tuple([flag for flag,compound,desc in allFlags if not compound])
677    print >>f, 'static const Flags AllMap[] = {'
678    for flag, compound, desc in allFlags:
679        if not compound:
680            print >>f, "    %s," % flag
681    print >>f, '};'
682    print >>f
683
684    for flag, compound, desc in allFlags:
685        if not compound:
686            continue
687        print >>f, 'static const Flags %sMap[] = {' % flag
688        for flag in compound:
689            print >>f, "    %s," % flag
690        print >>f, "    (Flags)-1"
691        print >>f, '};'
692        print >>f
693
694    #
695    # Finally the compoundFlags[] array maps the compound flags
696    # to their individual arrays/
697    #
698    print >>f, 'const Flags *Trace::compoundFlags[] ='
699    print >>f, '{'
700    print >>f, '    AllMap,'
701    for flag, compound, desc in allFlags:
702        if compound:
703            print >>f, '    %sMap,' % flag
704    # file trailer
705    print >>f, '};'
706
707    f.close()
708
709def traceFlagsHH(target, source, env):
710    assert(len(target) == 1)
711
712    f = file(str(target[0]), 'w')
713
714    allFlags = []
715    for s in source:
716        val = eval(s.get_contents())
717        allFlags.append(val)
718
719    # file header boilerplate
720    print >>f, '''
721/*
722 * DO NOT EDIT THIS FILE!
723 *
724 * Automatically generated from traceflags.py
725 */
726
727#ifndef __BASE_TRACE_FLAGS_HH__
728#define __BASE_TRACE_FLAGS_HH__
729
730namespace Trace {
731
732enum Flags {'''
733
734    # Generate the enum.  Base flags come first, then compound flags.
735    idx = 0
736    for flag, compound, desc in allFlags:
737        if not compound:
738            print >>f, '    %s = %d,' % (flag, idx)
739            idx += 1
740
741    numBaseFlags = idx
742    print >>f, '    NumFlags = %d,' % idx
743
744    # put a comment in here to separate base from compound flags
745    print >>f, '''
746// The remaining enum values are *not* valid indices for Trace::flags.
747// They are "compound" flags, which correspond to sets of base
748// flags, and are used by changeFlag.'''
749
750    print >>f, '    All = %d,' % idx
751    idx += 1
752    for flag, compound, desc in allFlags:
753        if compound:
754            print >>f, '    %s = %d,' % (flag, idx)
755            idx += 1
756
757    numCompoundFlags = idx - numBaseFlags
758    print >>f, '    NumCompoundFlags = %d' % numCompoundFlags
759
760    # trailer boilerplate
761    print >>f, '''\
762}; // enum Flags
763
764// Array of strings for SimpleEnumParam
765extern const char *flagStrings[];
766extern const int numFlagStrings;
767
768// Array of arraay pointers: for each compound flag, gives the list of
769// base flags to set.  Inidividual flag arrays are terminated by -1.
770extern const Flags *compoundFlags[];
771
772/* namespace Trace */ }
773
774#endif // __BASE_TRACE_FLAGS_HH__
775'''
776
777    f.close()
778
779flags = [ Value(f) for f in trace_flags ]
780env.Command('base/traceflags.py', flags, traceFlagsPy)
781PySource('m5', 'base/traceflags.py')
782
783env.Command('base/traceflags.hh', flags, traceFlagsHH)
784env.Command('base/traceflags.cc', flags, traceFlagsCC)
785Source('base/traceflags.cc')
786
787# Generate program_info.cc
788def programInfo(target, source, env):
789    def gen_file(target, rev, node, date):
790        pi_stats = file(target, 'w')
791        print >>pi_stats, 'const char *hgRev = "%s:%s";' %  (rev, node)
792        print >>pi_stats, 'const char *hgDate = "%s";' % date
793        pi_stats.close()
794
795    target = str(target[0])
796    scons_dir = str(source[0].get_contents())
797    try:
798        import mercurial.demandimport, mercurial.hg, mercurial.ui
799        import mercurial.util, mercurial.node
800        if not exists(scons_dir) or not isdir(scons_dir) or \
801               not exists(joinpath(scons_dir, ".hg")):
802            raise ValueError
803        repo = mercurial.hg.repository(mercurial.ui.ui(), scons_dir)
804        rev = mercurial.node.nullrev + repo.changelog.count()
805        changenode = repo.changelog.node(rev)
806        changes = repo.changelog.read(changenode)
807        date = mercurial.util.datestr(changes[2])
808
809        gen_file(target, rev, mercurial.node.hex(changenode), date)
810
811        mercurial.demandimport.disable()
812    except ImportError:
813        gen_file(target, "Unknown", "Unknown", "Unknown")
814
815    except:
816        print "in except"
817        gen_file(target, "Unknown", "Unknown", "Unknown")
818        mercurial.demandimport.disable()
819
820env.Command('base/program_info.cc',
821            Value(str(SCons.Node.FS.default_fs.SConstruct_dir)),
822            programInfo)
823
824# Build the zip file
825def compilePyFile(target, source, env):
826    '''Action function to compile a .py into a .pyc'''
827    py_compile.compile(str(source[0]), str(target[0]))
828
829def buildPyZip(target, source, env):
830    '''Action function to build the zip archive.  Uses the
831    PyZipFile module included in the standard Python library.'''
832
833    py_compiled = {}
834    for s in py_sources:
835        compname = str(s.compiled)
836        assert compname not in py_compiled
837        py_compiled[compname] = s
838
839    zf = zipfile.ZipFile(str(target[0]), 'w')
840    for s in source:
841        zipname = str(s)
842        arcname = py_compiled[zipname].arcname
843        zf.write(zipname, arcname)
844    zf.close()
845
846py_compiled = []
847py_zip_depends = []
848for source in py_sources:
849    env.Command(source.compiled, source.source, compilePyFile)
850    py_compiled.append(source.compiled)
851
852    # make the zipfile depend on the archive name so that the archive
853    # is rebuilt if the name changes
854    py_zip_depends.append(Value(source.arcname))
855
856# Add the zip file target to the environment.
857m5zip = File('m5py.zip')
858env.Command(m5zip, py_compiled, buildPyZip)
859env.Depends(m5zip, py_zip_depends)
860
861########################################################################
862#
863# Define binaries.  Each different build type (debug, opt, etc.) gets
864# a slightly different build environment.
865#
866
867# List of constructed environments to pass back to SConstruct
868envList = []
869
870# This function adds the specified sources to the given build
871# environment, and returns a list of all the corresponding SCons
872# Object nodes (including an extra one for date.cc).  We explicitly
873# add the Object nodes so we can set up special dependencies for
874# date.cc.
875def make_objs(sources, env):
876    objs = [env.Object(s) for s in sources]
877  
878    # make date.cc depend on all other objects so it always gets
879    # recompiled whenever anything else does
880    date_obj = env.Object('base/date.cc')
881
882    # Make the generation of program_info.cc dependend on all 
883    # the other cc files and the compiling of program_info.cc 
884    # dependent on all the objects but program_info.o 
885    pinfo_obj = env.Object('base/program_info.cc')
886    env.Depends('base/program_info.cc', sources)
887    env.Depends(date_obj, objs)
888    env.Depends(pinfo_obj, objs)
889    objs.extend([date_obj,pinfo_obj])
890    return objs
891
892# Function to create a new build environment as clone of current
893# environment 'env' with modified object suffix and optional stripped
894# binary.  Additional keyword arguments are appended to corresponding
895# build environment vars.
896def makeEnv(label, objsfx, strip = False, **kwargs):
897    newEnv = env.Copy(OBJSUFFIX=objsfx)
898    newEnv.Label = label
899    newEnv.Append(**kwargs)
900    exe = 'm5.' + label  # final executable
901    bin = exe + '.bin'   # executable w/o appended Python zip archive
902    newEnv.Program(bin, make_objs(cc_sources, newEnv))
903    if strip:
904        stripped_bin = bin + '.stripped'
905        if sys.platform == 'sunos5':
906            cmd = 'cp $SOURCE $TARGET; strip $TARGET'
907        else:
908            cmd = 'strip $SOURCE -o $TARGET'
909        newEnv.Command(stripped_bin, bin, cmd)
910        bin = stripped_bin
911    targets = newEnv.Concat(exe, [bin, 'm5py.zip'])
912    newEnv.M5Binary = targets[0]
913    envList.append(newEnv)
914
915# Debug binary
916ccflags = {}
917if env['GCC']:
918    if sys.platform == 'sunos5':
919        ccflags['debug'] = '-gstabs+'
920    else:
921        ccflags['debug'] = '-ggdb3'
922    ccflags['opt'] = '-g -O3'
923    ccflags['fast'] = '-O3'
924    ccflags['prof'] = '-O3 -g -pg'
925elif env['SUNCC']:
926    ccflags['debug'] = '-g0'
927    ccflags['opt'] = '-g -O'
928    ccflags['fast'] = '-fast'
929    ccflags['prof'] = '-fast -g -pg'
930elif env['ICC']:
931    ccflags['debug'] = '-g -O0'
932    ccflags['opt'] = '-g -O'
933    ccflags['fast'] = '-fast'
934    ccflags['prof'] = '-fast -g -pg'
935else:
936    print 'Unknown compiler, please fix compiler options'
937    Exit(1)
938
939makeEnv('debug', '.do',
940        CCFLAGS = Split(ccflags['debug']),
941        CPPDEFINES = ['DEBUG', 'TRACING_ON=1'])
942
943# Optimized binary
944makeEnv('opt', '.o',
945        CCFLAGS = Split(ccflags['opt']),
946        CPPDEFINES = ['TRACING_ON=1'])
947
948# "Fast" binary
949makeEnv('fast', '.fo', strip = True,
950        CCFLAGS = Split(ccflags['fast']),
951        CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'])
952
953# Profiled binary
954makeEnv('prof', '.po',
955        CCFLAGS = Split(ccflags['prof']),
956        CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
957        LINKFLAGS = '-pg')
958
959Return('envList')
960