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