SConscript revision 11996:b71e950a8bd0
1955SN/A# -*- mode:python -*- 2955SN/A 39812Sandreas.hansson@arm.com# Copyright (c) 2004-2005 The Regents of The University of Michigan 49812Sandreas.hansson@arm.com# All rights reserved. 59812Sandreas.hansson@arm.com# 69812Sandreas.hansson@arm.com# Redistribution and use in source and binary forms, with or without 79812Sandreas.hansson@arm.com# modification, are permitted provided that the following conditions are 89812Sandreas.hansson@arm.com# met: redistributions of source code must retain the above copyright 99812Sandreas.hansson@arm.com# notice, this list of conditions and the following disclaimer; 109812Sandreas.hansson@arm.com# redistributions in binary form must reproduce the above copyright 119812Sandreas.hansson@arm.com# notice, this list of conditions and the following disclaimer in the 129812Sandreas.hansson@arm.com# documentation and/or other materials provided with the distribution; 139812Sandreas.hansson@arm.com# neither the name of the copyright holders nor the names of its 149812Sandreas.hansson@arm.com# contributors may be used to endorse or promote products derived from 157816Ssteve.reinhardt@amd.com# this software without specific prior written permission. 165871Snate@binkert.org# 171762SN/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. 28955SN/A# 29955SN/A# Authors: Nathan Binkert 30955SN/A 31955SN/Aimport array 32955SN/Aimport bisect 33955SN/Aimport imp 34955SN/Aimport marshal 35955SN/Aimport os 36955SN/Aimport re 37955SN/Aimport subprocess 38955SN/Aimport sys 39955SN/Aimport zlib 40955SN/A 41955SN/Afrom os.path import basename, dirname, exists, isdir, isfile, join as joinpath 422665Ssaidi@eecs.umich.edu 432665Ssaidi@eecs.umich.eduimport SCons 445863Snate@binkert.org 45955SN/A# This file defines how to build a particular configuration of gem5 46955SN/A# based on variable settings in the 'env' build environment. 47955SN/A 48955SN/AImport('*') 49955SN/A 508878Ssteve.reinhardt@amd.com# Children need to see the environment 512632Sstever@eecs.umich.eduExport('env') 528878Ssteve.reinhardt@amd.com 532632Sstever@eecs.umich.edubuild_env = [(opt, env[opt]) for opt in export_vars] 54955SN/A 558878Ssteve.reinhardt@amd.comfrom m5.util import code_formatter, compareVersions 562632Sstever@eecs.umich.edu 572761Sstever@eecs.umich.edu######################################################################## 582632Sstever@eecs.umich.edu# Code for adding source files of various types 592632Sstever@eecs.umich.edu# 602632Sstever@eecs.umich.edu# When specifying a source file of some type, a set of guards can be 612761Sstever@eecs.umich.edu# specified for that file. When get() is used to find the files, if 622761Sstever@eecs.umich.edu# get specifies a set of filters, only files that match those filters 632761Sstever@eecs.umich.edu# will be accepted (unspecified filters on files are assumed to be 648878Ssteve.reinhardt@amd.com# false). Current filters are: 658878Ssteve.reinhardt@amd.com# main -- specifies the gem5 main() function 662761Sstever@eecs.umich.edu# skip_lib -- do not put this file into the gem5 library 672761Sstever@eecs.umich.edu# skip_no_python -- do not put this file into a no_python library 682761Sstever@eecs.umich.edu# as it embeds compiled Python 692761Sstever@eecs.umich.edu# <unittest> -- unit tests use filters based on the unit test name 702761Sstever@eecs.umich.edu# 718878Ssteve.reinhardt@amd.com# A parent can now be specified for a source file and default filter 728878Ssteve.reinhardt@amd.com# values will be retrieved recursively from parents (children override 732632Sstever@eecs.umich.edu# parents). 742632Sstever@eecs.umich.edu# 758878Ssteve.reinhardt@amd.comdef guarded_source_iterator(sources, **guards): 768878Ssteve.reinhardt@amd.com '''Iterate over a set of sources, gated by a set of guards.''' 772632Sstever@eecs.umich.edu for src in sources: 78955SN/A for flag,value in guards.iteritems(): 79955SN/A # if the flag is found and has a different value, skip 80955SN/A # this file 815863Snate@binkert.org if src.all_guards.get(flag, False) != value: 825863Snate@binkert.org break 835863Snate@binkert.org else: 845863Snate@binkert.org yield src 855863Snate@binkert.org 865863Snate@binkert.orgclass SourceMeta(type): 875863Snate@binkert.org '''Meta class for source files that keeps track of all files of a 885863Snate@binkert.org particular type and has a get function for finding all functions 895863Snate@binkert.org of a certain type that match a set of guards''' 905863Snate@binkert.org def __init__(cls, name, bases, dict): 915863Snate@binkert.org super(SourceMeta, cls).__init__(name, bases, dict) 928878Ssteve.reinhardt@amd.com cls.all = [] 935863Snate@binkert.org 945863Snate@binkert.org def get(cls, **guards): 955863Snate@binkert.org '''Find all files that match the specified guards. If a source 969812Sandreas.hansson@arm.com file does not specify a flag, the default is False''' 979812Sandreas.hansson@arm.com for s in guarded_source_iterator(cls.all, **guards): 985863Snate@binkert.org yield s 999812Sandreas.hansson@arm.com 1005863Snate@binkert.orgclass SourceFile(object): 1015863Snate@binkert.org '''Base object that encapsulates the notion of a source file. 1025863Snate@binkert.org This includes, the source node, target node, various manipulations 1039812Sandreas.hansson@arm.com of those. A source file also specifies a set of guards which 1049812Sandreas.hansson@arm.com describing which builds the source file applies to. A parent can 1055863Snate@binkert.org also be specified to get default guards from''' 1065863Snate@binkert.org __metaclass__ = SourceMeta 1078878Ssteve.reinhardt@amd.com def __init__(self, source, parent=None, **guards): 1085863Snate@binkert.org self.guards = guards 1095863Snate@binkert.org self.parent = parent 1105863Snate@binkert.org 1116654Snate@binkert.org tnode = source 112955SN/A if not isinstance(source, SCons.Node.FS.File): 1135396Ssaidi@eecs.umich.edu tnode = File(source) 1145863Snate@binkert.org 1155863Snate@binkert.org self.tnode = tnode 1164202Sbinkertn@umich.edu self.snode = tnode.srcnode() 1175863Snate@binkert.org 1185863Snate@binkert.org for base in type(self).__mro__: 1195863Snate@binkert.org if issubclass(base, SourceFile): 1205863Snate@binkert.org base.all.append(self) 121955SN/A 1226654Snate@binkert.org @property 1235273Sstever@gmail.com def filename(self): 1245871Snate@binkert.org return str(self.tnode) 1255273Sstever@gmail.com 1266655Snate@binkert.org @property 1278878Ssteve.reinhardt@amd.com def dirname(self): 1286655Snate@binkert.org return dirname(self.filename) 1296655Snate@binkert.org 1309219Spower.jg@gmail.com @property 1316655Snate@binkert.org def basename(self): 1325871Snate@binkert.org return basename(self.filename) 1336654Snate@binkert.org 1348947Sandreas.hansson@arm.com @property 1355396Ssaidi@eecs.umich.edu def extname(self): 1368120Sgblack@eecs.umich.edu index = self.basename.rfind('.') 1378120Sgblack@eecs.umich.edu if index <= 0: 1388120Sgblack@eecs.umich.edu # dot files aren't extensions 1398120Sgblack@eecs.umich.edu return self.basename, None 1408120Sgblack@eecs.umich.edu 1418120Sgblack@eecs.umich.edu return self.basename[:index], self.basename[index+1:] 1428120Sgblack@eecs.umich.edu 1438120Sgblack@eecs.umich.edu @property 1448879Ssteve.reinhardt@amd.com def all_guards(self): 1458879Ssteve.reinhardt@amd.com '''find all guards for this object getting default values 1468879Ssteve.reinhardt@amd.com recursively from its parents''' 1478879Ssteve.reinhardt@amd.com guards = {} 1488879Ssteve.reinhardt@amd.com if self.parent: 1498879Ssteve.reinhardt@amd.com guards.update(self.parent.guards) 1508879Ssteve.reinhardt@amd.com guards.update(self.guards) 1518879Ssteve.reinhardt@amd.com return guards 1528879Ssteve.reinhardt@amd.com 1538879Ssteve.reinhardt@amd.com def __lt__(self, other): return self.filename < other.filename 1548879Ssteve.reinhardt@amd.com def __le__(self, other): return self.filename <= other.filename 1558879Ssteve.reinhardt@amd.com def __gt__(self, other): return self.filename > other.filename 1568879Ssteve.reinhardt@amd.com def __ge__(self, other): return self.filename >= other.filename 1578120Sgblack@eecs.umich.edu def __eq__(self, other): return self.filename == other.filename 1588120Sgblack@eecs.umich.edu def __ne__(self, other): return self.filename != other.filename 1598120Sgblack@eecs.umich.edu 1608120Sgblack@eecs.umich.edu @staticmethod 1618120Sgblack@eecs.umich.edu def done(): 1628120Sgblack@eecs.umich.edu def disabled(cls, name, *ignored): 1638120Sgblack@eecs.umich.edu raise RuntimeError("Additional SourceFile '%s'" % name,\ 1648120Sgblack@eecs.umich.edu "declared, but targets deps are already fixed.") 1658120Sgblack@eecs.umich.edu SourceFile.__init__ = disabled 1668120Sgblack@eecs.umich.edu 1678120Sgblack@eecs.umich.edu 1688120Sgblack@eecs.umich.educlass Source(SourceFile): 1698120Sgblack@eecs.umich.edu current_group = None 1708120Sgblack@eecs.umich.edu source_groups = { None : [] } 1718879Ssteve.reinhardt@amd.com 1728879Ssteve.reinhardt@amd.com @classmethod 1738879Ssteve.reinhardt@amd.com def set_group(cls, group): 1748879Ssteve.reinhardt@amd.com if not group in Source.source_groups: 1758879Ssteve.reinhardt@amd.com Source.source_groups[group] = [] 1768879Ssteve.reinhardt@amd.com Source.current_group = group 1778879Ssteve.reinhardt@amd.com 1788879Ssteve.reinhardt@amd.com '''Add a c/c++ source file to the build''' 1799227Sandreas.hansson@arm.com def __init__(self, source, Werror=True, **guards): 1809227Sandreas.hansson@arm.com '''specify the source file, and any guards''' 1818879Ssteve.reinhardt@amd.com super(Source, self).__init__(source, **guards) 1828879Ssteve.reinhardt@amd.com 1838879Ssteve.reinhardt@amd.com self.Werror = Werror 1848879Ssteve.reinhardt@amd.com 1858120Sgblack@eecs.umich.edu Source.source_groups[Source.current_group].append(self) 1868947Sandreas.hansson@arm.com 1877816Ssteve.reinhardt@amd.comclass PySource(SourceFile): 1885871Snate@binkert.org '''Add a python source file to the named package''' 1895871Snate@binkert.org invalid_sym_char = re.compile('[^A-z0-9_]') 1906121Snate@binkert.org modules = {} 1915871Snate@binkert.org tnodes = {} 1925871Snate@binkert.org symnames = {} 1939119Sandreas.hansson@arm.com 1949396Sandreas.hansson@arm.com def __init__(self, package, source, **guards): 1959396Sandreas.hansson@arm.com '''specify the python package, the source file, and any guards''' 196955SN/A super(PySource, self).__init__(source, **guards) 1979416SAndreas.Sandberg@ARM.com 1989416SAndreas.Sandberg@ARM.com modname,ext = self.extname 1999416SAndreas.Sandberg@ARM.com assert ext == 'py' 2009416SAndreas.Sandberg@ARM.com 2019416SAndreas.Sandberg@ARM.com if package: 2029416SAndreas.Sandberg@ARM.com path = package.split('.') 2039416SAndreas.Sandberg@ARM.com else: 2045871Snate@binkert.org path = [] 2055871Snate@binkert.org 2069416SAndreas.Sandberg@ARM.com modpath = path[:] 2079416SAndreas.Sandberg@ARM.com if modname != '__init__': 2085871Snate@binkert.org modpath += [ modname ] 209955SN/A modpath = '.'.join(modpath) 2106121Snate@binkert.org 2118881Smarc.orr@gmail.com arcpath = path + [ self.basename ] 2126121Snate@binkert.org abspath = self.snode.abspath 2136121Snate@binkert.org if not exists(abspath): 2141533SN/A abspath = self.tnode.abspath 2159239Sandreas.hansson@arm.com 2169239Sandreas.hansson@arm.com self.package = package 2179239Sandreas.hansson@arm.com self.modname = modname 2189239Sandreas.hansson@arm.com self.modpath = modpath 2199239Sandreas.hansson@arm.com self.arcname = joinpath(*arcpath) 2209239Sandreas.hansson@arm.com self.abspath = abspath 2219239Sandreas.hansson@arm.com self.compiled = File(self.filename + 'c') 2229239Sandreas.hansson@arm.com self.cpp = File(self.filename + '.cc') 2239239Sandreas.hansson@arm.com self.symname = PySource.invalid_sym_char.sub('_', modpath) 2249239Sandreas.hansson@arm.com 2259239Sandreas.hansson@arm.com PySource.modules[modpath] = self 2269239Sandreas.hansson@arm.com PySource.tnodes[self.tnode] = self 2276655Snate@binkert.org PySource.symnames[self.symname] = self 2286655Snate@binkert.org 2296655Snate@binkert.orgclass SimObject(PySource): 2306655Snate@binkert.org '''Add a SimObject python file as a python source object and add 2315871Snate@binkert.org it to a list of sim object modules''' 2325871Snate@binkert.org 2335863Snate@binkert.org fixed = False 2345871Snate@binkert.org modnames = [] 2358878Ssteve.reinhardt@amd.com 2365871Snate@binkert.org def __init__(self, source, **guards): 2375871Snate@binkert.org '''Specify the source file and any guards (automatically in 2385871Snate@binkert.org the m5.objects package)''' 2395863Snate@binkert.org super(SimObject, self).__init__('m5.objects', source, **guards) 2406121Snate@binkert.org if self.fixed: 2415863Snate@binkert.org raise AttributeError, "Too late to call SimObject now." 2425871Snate@binkert.org 2438336Ssteve.reinhardt@amd.com bisect.insort_right(SimObject.modnames, self.modname) 2448336Ssteve.reinhardt@amd.com 2458336Ssteve.reinhardt@amd.comclass ProtoBuf(SourceFile): 2468336Ssteve.reinhardt@amd.com '''Add a Protocol Buffer to build''' 2474678Snate@binkert.org 2488336Ssteve.reinhardt@amd.com def __init__(self, source, **guards): 2498336Ssteve.reinhardt@amd.com '''Specify the source file, and any guards''' 2508336Ssteve.reinhardt@amd.com super(ProtoBuf, self).__init__(source, **guards) 2514678Snate@binkert.org 2524678Snate@binkert.org # Get the file name and the extension 2534678Snate@binkert.org modname,ext = self.extname 2544678Snate@binkert.org assert ext == 'proto' 2557827Snate@binkert.org 2567827Snate@binkert.org # Currently, we stick to generating the C++ headers, so we 2578336Ssteve.reinhardt@amd.com # only need to track the source and header. 2584678Snate@binkert.org self.cc_file = File(modname + '.pb.cc') 2598336Ssteve.reinhardt@amd.com self.hh_file = File(modname + '.pb.h') 2608336Ssteve.reinhardt@amd.com 2618336Ssteve.reinhardt@amd.comclass UnitTest(object): 2628336Ssteve.reinhardt@amd.com '''Create a UnitTest''' 2638336Ssteve.reinhardt@amd.com 2648336Ssteve.reinhardt@amd.com all = [] 2655871Snate@binkert.org def __init__(self, target, *sources, **kwargs): 2665871Snate@binkert.org '''Specify the target name and any sources. Sources that are 2678336Ssteve.reinhardt@amd.com not SourceFiles are evalued with Source(). All files are 2688336Ssteve.reinhardt@amd.com guarded with a guard of the same name as the UnitTest 2698336Ssteve.reinhardt@amd.com target.''' 2708336Ssteve.reinhardt@amd.com 2718336Ssteve.reinhardt@amd.com srcs = [] 2725871Snate@binkert.org for src in sources: 2738336Ssteve.reinhardt@amd.com if not isinstance(src, SourceFile): 2748336Ssteve.reinhardt@amd.com src = Source(src, skip_lib=True) 2758336Ssteve.reinhardt@amd.com src.guards[target] = True 2768336Ssteve.reinhardt@amd.com srcs.append(src) 2778336Ssteve.reinhardt@amd.com 2784678Snate@binkert.org self.sources = srcs 2795871Snate@binkert.org self.target = target 2804678Snate@binkert.org self.main = kwargs.get('main', False) 2818336Ssteve.reinhardt@amd.com UnitTest.all.append(self) 2828336Ssteve.reinhardt@amd.com 2838336Ssteve.reinhardt@amd.com# Children should have access 2848336Ssteve.reinhardt@amd.comExport('Source') 2858336Ssteve.reinhardt@amd.comExport('PySource') 2868336Ssteve.reinhardt@amd.comExport('SimObject') 2878336Ssteve.reinhardt@amd.comExport('ProtoBuf') 2888336Ssteve.reinhardt@amd.comExport('UnitTest') 2898336Ssteve.reinhardt@amd.com 2908336Ssteve.reinhardt@amd.com######################################################################## 2918336Ssteve.reinhardt@amd.com# 2928336Ssteve.reinhardt@amd.com# Debug Flags 2938336Ssteve.reinhardt@amd.com# 2948336Ssteve.reinhardt@amd.comdebug_flags = {} 2958336Ssteve.reinhardt@amd.comdef DebugFlag(name, desc=None): 2968336Ssteve.reinhardt@amd.com if name in debug_flags: 2978336Ssteve.reinhardt@amd.com raise AttributeError, "Flag %s already specified" % name 2985871Snate@binkert.org debug_flags[name] = (name, (), desc) 2996121Snate@binkert.org 300955SN/Adef CompoundFlag(name, flags, desc=None): 301955SN/A if name in debug_flags: 3022632Sstever@eecs.umich.edu raise AttributeError, "Flag %s already specified" % name 3032632Sstever@eecs.umich.edu 304955SN/A compound = tuple(flags) 305955SN/A debug_flags[name] = (name, compound, desc) 306955SN/A 307955SN/AExport('DebugFlag') 3088878Ssteve.reinhardt@amd.comExport('CompoundFlag') 309955SN/A 3102632Sstever@eecs.umich.edu######################################################################## 3112632Sstever@eecs.umich.edu# 3122632Sstever@eecs.umich.edu# Set some compiler variables 3132632Sstever@eecs.umich.edu# 3142632Sstever@eecs.umich.edu 3152632Sstever@eecs.umich.edu# Include file paths are rooted in this directory. SCons will 3162632Sstever@eecs.umich.edu# automatically expand '.' to refer to both the source directory and 3178268Ssteve.reinhardt@amd.com# the corresponding build directory to pick up generated include 3188268Ssteve.reinhardt@amd.com# files. 3198268Ssteve.reinhardt@amd.comenv.Append(CPPPATH=Dir('.')) 3208268Ssteve.reinhardt@amd.com 3218268Ssteve.reinhardt@amd.comfor extra_dir in extras_dir_list: 3228268Ssteve.reinhardt@amd.com env.Append(CPPPATH=Dir(extra_dir)) 3238268Ssteve.reinhardt@amd.com 3242632Sstever@eecs.umich.edu# Workaround for bug in SCons version > 0.97d20071212 3252632Sstever@eecs.umich.edu# Scons bug id: 2006 gem5 Bug id: 308 3262632Sstever@eecs.umich.edufor root, dirs, files in os.walk(base_dir, topdown=True): 3272632Sstever@eecs.umich.edu Dir(root[len(base_dir) + 1:]) 3288268Ssteve.reinhardt@amd.com 3292632Sstever@eecs.umich.edu######################################################################## 3308268Ssteve.reinhardt@amd.com# 3318268Ssteve.reinhardt@amd.com# Walk the tree and execute all SConscripts in subdirectories 3328268Ssteve.reinhardt@amd.com# 3338268Ssteve.reinhardt@amd.com 3343718Sstever@eecs.umich.eduhere = Dir('.').srcnode().abspath 3352634Sstever@eecs.umich.edufor root, dirs, files in os.walk(base_dir, topdown=True): 3362634Sstever@eecs.umich.edu if root == here: 3375863Snate@binkert.org # we don't want to recurse back into this SConscript 3382638Sstever@eecs.umich.edu continue 3398268Ssteve.reinhardt@amd.com 3402632Sstever@eecs.umich.edu if 'SConscript' in files: 3412632Sstever@eecs.umich.edu build_dir = joinpath(env['BUILDDIR'], root[len(base_dir) + 1:]) 3422632Sstever@eecs.umich.edu Source.set_group(build_dir) 3432632Sstever@eecs.umich.edu SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir) 3442632Sstever@eecs.umich.edu 3451858SN/Afor extra_dir in extras_dir_list: 3463716Sstever@eecs.umich.edu prefix_len = len(dirname(extra_dir)) + 1 3472638Sstever@eecs.umich.edu 3482638Sstever@eecs.umich.edu # Also add the corresponding build directory to pick up generated 3492638Sstever@eecs.umich.edu # include files. 3502638Sstever@eecs.umich.edu env.Append(CPPPATH=Dir(joinpath(env['BUILDDIR'], extra_dir[prefix_len:]))) 3512638Sstever@eecs.umich.edu 3522638Sstever@eecs.umich.edu for root, dirs, files in os.walk(extra_dir, topdown=True): 3532638Sstever@eecs.umich.edu # if build lives in the extras directory, don't walk down it 3545863Snate@binkert.org if 'build' in dirs: 3555863Snate@binkert.org dirs.remove('build') 3565863Snate@binkert.org 357955SN/A if 'SConscript' in files: 3585341Sstever@gmail.com build_dir = joinpath(env['BUILDDIR'], root[prefix_len:]) 3595341Sstever@gmail.com SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir) 3605863Snate@binkert.org 3617756SAli.Saidi@ARM.comfor opt in export_vars: 3625341Sstever@gmail.com env.ConfigFile(opt) 3636121Snate@binkert.org 3644494Ssaidi@eecs.umich.edudef makeTheISA(source, target, env): 3656121Snate@binkert.org isas = [ src.get_contents() for src in source ] 3661105SN/A target_isa = env['TARGET_ISA'] 3672667Sstever@eecs.umich.edu def define(isa): 3682667Sstever@eecs.umich.edu return isa.upper() + '_ISA' 3692667Sstever@eecs.umich.edu 3702667Sstever@eecs.umich.edu def namespace(isa): 3716121Snate@binkert.org return isa[0].upper() + isa[1:].lower() + 'ISA' 3722667Sstever@eecs.umich.edu 3735341Sstever@gmail.com 3745863Snate@binkert.org code = code_formatter() 3755341Sstever@gmail.com code('''\ 3765341Sstever@gmail.com#ifndef __CONFIG_THE_ISA_HH__ 3775341Sstever@gmail.com#define __CONFIG_THE_ISA_HH__ 3788120Sgblack@eecs.umich.edu 3795341Sstever@gmail.com''') 3808120Sgblack@eecs.umich.edu 3815341Sstever@gmail.com # create defines for the preprocessing and compile-time determination 3828120Sgblack@eecs.umich.edu for i,isa in enumerate(isas): 3836121Snate@binkert.org code('#define $0 $1', define(isa), i + 1) 3846121Snate@binkert.org code() 3858980Ssteve.reinhardt@amd.com 3869396Sandreas.hansson@arm.com # create an enum for any run-time determination of the ISA, we 3875397Ssaidi@eecs.umich.edu # reuse the same name as the namespaces 3885397Ssaidi@eecs.umich.edu code('enum class Arch {') 3897727SAli.Saidi@ARM.com for i,isa in enumerate(isas): 3908268Ssteve.reinhardt@amd.com if i + 1 == len(isas): 3916168Snate@binkert.org code(' $0 = $1', namespace(isa), define(isa)) 3925341Sstever@gmail.com else: 3938120Sgblack@eecs.umich.edu code(' $0 = $1,', namespace(isa), define(isa)) 3948120Sgblack@eecs.umich.edu code('};') 3958120Sgblack@eecs.umich.edu 3966814Sgblack@eecs.umich.edu code(''' 3975863Snate@binkert.org 3988120Sgblack@eecs.umich.edu#define THE_ISA ${{define(target_isa)}} 3995341Sstever@gmail.com#define TheISA ${{namespace(target_isa)}} 4005863Snate@binkert.org#define THE_ISA_STR "${{target_isa}}" 4018268Ssteve.reinhardt@amd.com 4026121Snate@binkert.org#endif // __CONFIG_THE_ISA_HH__''') 4036121Snate@binkert.org 4048268Ssteve.reinhardt@amd.com code.write(str(target[0])) 4055742Snate@binkert.org 4065742Snate@binkert.orgenv.Command('config/the_isa.hh', map(Value, all_isa_list), 4075341Sstever@gmail.com MakeAction(makeTheISA, Transform("CFG ISA", 0))) 4085742Snate@binkert.org 4095742Snate@binkert.orgdef makeTheGPUISA(source, target, env): 4105341Sstever@gmail.com isas = [ src.get_contents() for src in source ] 4116017Snate@binkert.org target_gpu_isa = env['TARGET_GPU_ISA'] 4126121Snate@binkert.org def define(isa): 4136017Snate@binkert.org return isa.upper() + '_ISA' 4147816Ssteve.reinhardt@amd.com 4157756SAli.Saidi@ARM.com def namespace(isa): 4167756SAli.Saidi@ARM.com return isa[0].upper() + isa[1:].lower() + 'ISA' 4177756SAli.Saidi@ARM.com 4187756SAli.Saidi@ARM.com 4197756SAli.Saidi@ARM.com code = code_formatter() 4207756SAli.Saidi@ARM.com code('''\ 4217756SAli.Saidi@ARM.com#ifndef __CONFIG_THE_GPU_ISA_HH__ 4227756SAli.Saidi@ARM.com#define __CONFIG_THE_GPU_ISA_HH__ 4237816Ssteve.reinhardt@amd.com 4247816Ssteve.reinhardt@amd.com''') 4257816Ssteve.reinhardt@amd.com 4267816Ssteve.reinhardt@amd.com # create defines for the preprocessing and compile-time determination 4277816Ssteve.reinhardt@amd.com for i,isa in enumerate(isas): 4287816Ssteve.reinhardt@amd.com code('#define $0 $1', define(isa), i + 1) 4297816Ssteve.reinhardt@amd.com code() 4307816Ssteve.reinhardt@amd.com 4317816Ssteve.reinhardt@amd.com # create an enum for any run-time determination of the ISA, we 4327816Ssteve.reinhardt@amd.com # reuse the same name as the namespaces 4337756SAli.Saidi@ARM.com code('enum class GPUArch {') 4347816Ssteve.reinhardt@amd.com for i,isa in enumerate(isas): 4357816Ssteve.reinhardt@amd.com if i + 1 == len(isas): 4367816Ssteve.reinhardt@amd.com code(' $0 = $1', namespace(isa), define(isa)) 4377816Ssteve.reinhardt@amd.com else: 4387816Ssteve.reinhardt@amd.com code(' $0 = $1,', namespace(isa), define(isa)) 4397816Ssteve.reinhardt@amd.com code('};') 4407816Ssteve.reinhardt@amd.com 4417816Ssteve.reinhardt@amd.com code(''' 4427816Ssteve.reinhardt@amd.com 4437816Ssteve.reinhardt@amd.com#define THE_GPU_ISA ${{define(target_gpu_isa)}} 4447816Ssteve.reinhardt@amd.com#define TheGpuISA ${{namespace(target_gpu_isa)}} 4457816Ssteve.reinhardt@amd.com#define THE_GPU_ISA_STR "${{target_gpu_isa}}" 4467816Ssteve.reinhardt@amd.com 4477816Ssteve.reinhardt@amd.com#endif // __CONFIG_THE_GPU_ISA_HH__''') 4487816Ssteve.reinhardt@amd.com 4497816Ssteve.reinhardt@amd.com code.write(str(target[0])) 4507816Ssteve.reinhardt@amd.com 4517816Ssteve.reinhardt@amd.comenv.Command('config/the_gpu_isa.hh', map(Value, all_gpu_isa_list), 4527816Ssteve.reinhardt@amd.com MakeAction(makeTheGPUISA, Transform("CFG ISA", 0))) 4537816Ssteve.reinhardt@amd.com 4547816Ssteve.reinhardt@amd.com######################################################################## 4557816Ssteve.reinhardt@amd.com# 4567816Ssteve.reinhardt@amd.com# Prevent any SimObjects from being added after this point, they 4577816Ssteve.reinhardt@amd.com# should all have been added in the SConscripts above 4587816Ssteve.reinhardt@amd.com# 4597816Ssteve.reinhardt@amd.comSimObject.fixed = True 4607816Ssteve.reinhardt@amd.com 4617816Ssteve.reinhardt@amd.comclass DictImporter(object): 4627816Ssteve.reinhardt@amd.com '''This importer takes a dictionary of arbitrary module names that 4637816Ssteve.reinhardt@amd.com map to arbitrary filenames.''' 4647816Ssteve.reinhardt@amd.com def __init__(self, modules): 4657816Ssteve.reinhardt@amd.com self.modules = modules 4667816Ssteve.reinhardt@amd.com self.installed = set() 4677816Ssteve.reinhardt@amd.com 4687816Ssteve.reinhardt@amd.com def __del__(self): 4697816Ssteve.reinhardt@amd.com self.unload() 4707816Ssteve.reinhardt@amd.com 4717816Ssteve.reinhardt@amd.com def unload(self): 4727816Ssteve.reinhardt@amd.com import sys 4737816Ssteve.reinhardt@amd.com for module in self.installed: 4747816Ssteve.reinhardt@amd.com del sys.modules[module] 4757816Ssteve.reinhardt@amd.com self.installed = set() 4767816Ssteve.reinhardt@amd.com 4777816Ssteve.reinhardt@amd.com def find_module(self, fullname, path): 4787816Ssteve.reinhardt@amd.com if fullname == 'm5.defines': 4797816Ssteve.reinhardt@amd.com return self 4807816Ssteve.reinhardt@amd.com 4817816Ssteve.reinhardt@amd.com if fullname == 'm5.objects': 4827816Ssteve.reinhardt@amd.com return self 4837816Ssteve.reinhardt@amd.com 4847816Ssteve.reinhardt@amd.com if fullname.startswith('_m5'): 4857816Ssteve.reinhardt@amd.com return None 4867816Ssteve.reinhardt@amd.com 4877816Ssteve.reinhardt@amd.com source = self.modules.get(fullname, None) 4887816Ssteve.reinhardt@amd.com if source is not None and fullname.startswith('m5.objects'): 4897816Ssteve.reinhardt@amd.com return self 4907816Ssteve.reinhardt@amd.com 4917816Ssteve.reinhardt@amd.com return None 4927816Ssteve.reinhardt@amd.com 4937816Ssteve.reinhardt@amd.com def load_module(self, fullname): 4947816Ssteve.reinhardt@amd.com mod = imp.new_module(fullname) 4958947Sandreas.hansson@arm.com sys.modules[fullname] = mod 4968947Sandreas.hansson@arm.com self.installed.add(fullname) 4977756SAli.Saidi@ARM.com 4988120Sgblack@eecs.umich.edu mod.__loader__ = self 4997756SAli.Saidi@ARM.com if fullname == 'm5.objects': 5007756SAli.Saidi@ARM.com mod.__path__ = fullname.split('.') 5017756SAli.Saidi@ARM.com return mod 5027756SAli.Saidi@ARM.com 5037816Ssteve.reinhardt@amd.com if fullname == 'm5.defines': 5047816Ssteve.reinhardt@amd.com mod.__dict__['buildEnv'] = m5.util.SmartDict(build_env) 5057816Ssteve.reinhardt@amd.com return mod 5067816Ssteve.reinhardt@amd.com 5077816Ssteve.reinhardt@amd.com source = self.modules[fullname] 5087816Ssteve.reinhardt@amd.com if source.modname == '__init__': 5097816Ssteve.reinhardt@amd.com mod.__path__ = source.modpath 5107816Ssteve.reinhardt@amd.com mod.__file__ = source.abspath 5117816Ssteve.reinhardt@amd.com 5127816Ssteve.reinhardt@amd.com exec file(source.abspath, 'r') in mod.__dict__ 5137756SAli.Saidi@ARM.com 5147756SAli.Saidi@ARM.com return mod 5159227Sandreas.hansson@arm.com 5169227Sandreas.hansson@arm.comimport m5.SimObject 5179227Sandreas.hansson@arm.comimport m5.params 5189227Sandreas.hansson@arm.comfrom m5.util import code_formatter 5199590Sandreas@sandberg.pp.se 5209590Sandreas@sandberg.pp.sem5.SimObject.clear() 5219590Sandreas@sandberg.pp.sem5.params.clear() 5229590Sandreas@sandberg.pp.se 5239590Sandreas@sandberg.pp.se# install the python importer so we can grab stuff from the source 5249590Sandreas@sandberg.pp.se# tree itself. We can't have SimObjects added after this point or 5256654Snate@binkert.org# else we won't know about them for the rest of the stuff. 5266654Snate@binkert.orgimporter = DictImporter(PySource.modules) 5275871Snate@binkert.orgsys.meta_path[0:0] = [ importer ] 5286121Snate@binkert.org 5298946Sandreas.hansson@arm.com# import all sim objects so we can populate the all_objects list 5309419Sandreas.hansson@arm.com# make sure that we're working with a list, then let's sort it 5313940Ssaidi@eecs.umich.edufor modname in SimObject.modnames: 5323918Ssaidi@eecs.umich.edu exec('from m5.objects import %s' % modname) 5333918Ssaidi@eecs.umich.edu 5341858SN/A# we need to unload all of the currently imported modules so that they 5359556Sandreas.hansson@arm.com# will be re-imported the next time the sconscript is run 5369556Sandreas.hansson@arm.comimporter.unload() 5379556Sandreas.hansson@arm.comsys.meta_path.remove(importer) 5389556Sandreas.hansson@arm.com 5399556Sandreas.hansson@arm.comsim_objects = m5.SimObject.allClasses 5409556Sandreas.hansson@arm.comall_enums = m5.params.allEnums 5419556Sandreas.hansson@arm.com 5429556Sandreas.hansson@arm.comfor name,obj in sorted(sim_objects.iteritems()): 5439556Sandreas.hansson@arm.com for param in obj._params.local.values(): 5449556Sandreas.hansson@arm.com # load the ptype attribute now because it depends on the 5459556Sandreas.hansson@arm.com # current version of SimObject.allClasses, but when scons 5469556Sandreas.hansson@arm.com # actually uses the value, all versions of 5479556Sandreas.hansson@arm.com # SimObject.allClasses will have been loaded 5489556Sandreas.hansson@arm.com param.ptype 5499556Sandreas.hansson@arm.com 5509556Sandreas.hansson@arm.com######################################################################## 5519556Sandreas.hansson@arm.com# 5529556Sandreas.hansson@arm.com# calculate extra dependencies 5539556Sandreas.hansson@arm.com# 5549556Sandreas.hansson@arm.commodule_depends = ["m5", "m5.SimObject", "m5.params"] 5559556Sandreas.hansson@arm.comdepends = [ PySource.modules[dep].snode for dep in module_depends ] 5569556Sandreas.hansson@arm.comdepends.sort(key = lambda x: x.name) 5579556Sandreas.hansson@arm.com 5589556Sandreas.hansson@arm.com######################################################################## 5599556Sandreas.hansson@arm.com# 5609556Sandreas.hansson@arm.com# Commands for the basic automatically generated python files 5619556Sandreas.hansson@arm.com# 5629556Sandreas.hansson@arm.com 5639556Sandreas.hansson@arm.com# Generate Python file containing a dict specifying the current 5649556Sandreas.hansson@arm.com# buildEnv flags. 5659556Sandreas.hansson@arm.comdef makeDefinesPyFile(target, source, env): 5669556Sandreas.hansson@arm.com build_env = source[0].get_contents() 5676121Snate@binkert.org 5689420Sandreas.hansson@arm.com code = code_formatter() 5699420Sandreas.hansson@arm.com code(""" 5709420Sandreas.hansson@arm.comimport _m5.core 5719420Sandreas.hansson@arm.comimport m5.util 5729420Sandreas.hansson@arm.com 5739420Sandreas.hansson@arm.combuildEnv = m5.util.SmartDict($build_env) 5749420Sandreas.hansson@arm.com 5759420Sandreas.hansson@arm.comcompileDate = _m5.core.compileDate 5769420Sandreas.hansson@arm.com_globals = globals() 5779420Sandreas.hansson@arm.comfor key,val in _m5.core.__dict__.iteritems(): 5789420Sandreas.hansson@arm.com if key.startswith('flag_'): 5797618SAli.Saidi@arm.com flag = key[5:] 5807618SAli.Saidi@arm.com _globals[flag] = val 5817618SAli.Saidi@arm.comdel _globals 5827739Sgblack@eecs.umich.edu""") 5839227Sandreas.hansson@arm.com code.write(target[0].abspath) 5849227Sandreas.hansson@arm.com 5859227Sandreas.hansson@arm.comdefines_info = Value(build_env) 5869227Sandreas.hansson@arm.com# Generate a file with all of the compile options in it 5879227Sandreas.hansson@arm.comenv.Command('python/m5/defines.py', defines_info, 5889227Sandreas.hansson@arm.com MakeAction(makeDefinesPyFile, Transform("DEFINES", 0))) 5899227Sandreas.hansson@arm.comPySource('m5', 'python/m5/defines.py') 5909227Sandreas.hansson@arm.com 5919227Sandreas.hansson@arm.com# Generate python file containing info about the M5 source code 5929227Sandreas.hansson@arm.comdef makeInfoPyFile(target, source, env): 5939227Sandreas.hansson@arm.com code = code_formatter() 5949227Sandreas.hansson@arm.com for src in source: 5959227Sandreas.hansson@arm.com data = ''.join(file(src.srcnode().abspath, 'r').xreadlines()) 5969227Sandreas.hansson@arm.com code('$src = ${{repr(data)}}') 5979227Sandreas.hansson@arm.com code.write(str(target[0])) 5989227Sandreas.hansson@arm.com 5999227Sandreas.hansson@arm.com# Generate a file that wraps the basic top level files 6009227Sandreas.hansson@arm.comenv.Command('python/m5/info.py', 6019590Sandreas@sandberg.pp.se [ '#/COPYING', '#/LICENSE', '#/README', ], 6029590Sandreas@sandberg.pp.se MakeAction(makeInfoPyFile, Transform("INFO"))) 6039590Sandreas@sandberg.pp.sePySource('m5', 'python/m5/info.py') 6048737Skoansin.tan@gmail.com 6059420Sandreas.hansson@arm.com######################################################################## 6069420Sandreas.hansson@arm.com# 6079420Sandreas.hansson@arm.com# Create all of the SimObject param headers and enum headers 6088737Skoansin.tan@gmail.com# 6098737Skoansin.tan@gmail.com 6108737Skoansin.tan@gmail.comdef createSimObjectParamStruct(target, source, env): 6118737Skoansin.tan@gmail.com assert len(target) == 1 and len(source) == 1 6128737Skoansin.tan@gmail.com 6138737Skoansin.tan@gmail.com name = str(source[0].get_contents()) 6148737Skoansin.tan@gmail.com obj = sim_objects[name] 6158737Skoansin.tan@gmail.com 6168737Skoansin.tan@gmail.com code = code_formatter() 6178737Skoansin.tan@gmail.com obj.cxx_param_decl(code) 6188737Skoansin.tan@gmail.com code.write(target[0].abspath) 6198737Skoansin.tan@gmail.com 6209556Sandreas.hansson@arm.comdef createSimObjectCxxConfig(is_header): 6219556Sandreas.hansson@arm.com def body(target, source, env): 6229556Sandreas.hansson@arm.com assert len(target) == 1 and len(source) == 1 6239556Sandreas.hansson@arm.com 6249556Sandreas.hansson@arm.com name = str(source[0].get_contents()) 6259556Sandreas.hansson@arm.com obj = sim_objects[name] 6269556Sandreas.hansson@arm.com 6279556Sandreas.hansson@arm.com code = code_formatter() 6289556Sandreas.hansson@arm.com obj.cxx_config_param_file(code, is_header) 6299556Sandreas.hansson@arm.com code.write(target[0].abspath) 6309590Sandreas@sandberg.pp.se return body 6319590Sandreas@sandberg.pp.se 6329420Sandreas.hansson@arm.comdef createEnumStrings(target, source, env): 6339846Sandreas.hansson@arm.com assert len(target) == 1 and len(source) == 2 6349846Sandreas.hansson@arm.com 6359846Sandreas.hansson@arm.com name = str(source[0].get_contents()) 6369846Sandreas.hansson@arm.com use_python = source[1].read() 6378946Sandreas.hansson@arm.com obj = all_enums[name] 6383918Ssaidi@eecs.umich.edu 6399068SAli.Saidi@ARM.com code = code_formatter() 6409068SAli.Saidi@ARM.com obj.cxx_def(code) 6419068SAli.Saidi@ARM.com if use_python: 6429068SAli.Saidi@ARM.com obj.pybind_def(code) 6439068SAli.Saidi@ARM.com code.write(target[0].abspath) 6449068SAli.Saidi@ARM.com 6459068SAli.Saidi@ARM.comdef createEnumDecls(target, source, env): 6469068SAli.Saidi@ARM.com assert len(target) == 1 and len(source) == 1 6479068SAli.Saidi@ARM.com 6489419Sandreas.hansson@arm.com name = str(source[0].get_contents()) 6499068SAli.Saidi@ARM.com obj = all_enums[name] 6509068SAli.Saidi@ARM.com 6519068SAli.Saidi@ARM.com code = code_formatter() 6529068SAli.Saidi@ARM.com obj.cxx_decl(code) 6539068SAli.Saidi@ARM.com code.write(target[0].abspath) 6549068SAli.Saidi@ARM.com 6553918Ssaidi@eecs.umich.edudef createSimObjectPyBindWrapper(target, source, env): 6563918Ssaidi@eecs.umich.edu name = source[0].get_contents() 6576157Snate@binkert.org obj = sim_objects[name] 6586157Snate@binkert.org 6596157Snate@binkert.org code = code_formatter() 6606157Snate@binkert.org obj.pybind_decl(code) 6615397Ssaidi@eecs.umich.edu code.write(target[0].abspath) 6625397Ssaidi@eecs.umich.edu 6636121Snate@binkert.org# Generate all of the SimObject param C++ struct header files 6646121Snate@binkert.orgparams_hh_files = [] 6656121Snate@binkert.orgfor name,simobj in sorted(sim_objects.iteritems()): 6666121Snate@binkert.org py_source = PySource.modules[simobj.__module__] 6676121Snate@binkert.org extra_deps = [ py_source.tnode ] 6686121Snate@binkert.org 6695397Ssaidi@eecs.umich.edu hh_file = File('params/%s.hh' % name) 6701851SN/A params_hh_files.append(hh_file) 6711851SN/A env.Command(hh_file, Value(name), 6727739Sgblack@eecs.umich.edu MakeAction(createSimObjectParamStruct, Transform("SO PARAM"))) 673955SN/A env.Depends(hh_file, depends + extra_deps) 6749396Sandreas.hansson@arm.com 6759396Sandreas.hansson@arm.com# C++ parameter description files 6769396Sandreas.hansson@arm.comif GetOption('with_cxx_config'): 6779396Sandreas.hansson@arm.com for name,simobj in sorted(sim_objects.iteritems()): 6789396Sandreas.hansson@arm.com py_source = PySource.modules[simobj.__module__] 6799396Sandreas.hansson@arm.com extra_deps = [ py_source.tnode ] 6809396Sandreas.hansson@arm.com 6819396Sandreas.hansson@arm.com cxx_config_hh_file = File('cxx_config/%s.hh' % name) 6829396Sandreas.hansson@arm.com cxx_config_cc_file = File('cxx_config/%s.cc' % name) 6839396Sandreas.hansson@arm.com env.Command(cxx_config_hh_file, Value(name), 6849396Sandreas.hansson@arm.com MakeAction(createSimObjectCxxConfig(True), 6859396Sandreas.hansson@arm.com Transform("CXXCPRHH"))) 6869396Sandreas.hansson@arm.com env.Command(cxx_config_cc_file, Value(name), 6879396Sandreas.hansson@arm.com MakeAction(createSimObjectCxxConfig(False), 6889396Sandreas.hansson@arm.com Transform("CXXCPRCC"))) 6899396Sandreas.hansson@arm.com env.Depends(cxx_config_hh_file, depends + extra_deps + 6909477Sandreas.hansson@arm.com [File('params/%s.hh' % name), File('sim/cxx_config.hh')]) 6919477Sandreas.hansson@arm.com env.Depends(cxx_config_cc_file, depends + extra_deps + 6929477Sandreas.hansson@arm.com [cxx_config_hh_file]) 6939477Sandreas.hansson@arm.com Source(cxx_config_cc_file) 6949477Sandreas.hansson@arm.com 6959477Sandreas.hansson@arm.com cxx_config_init_cc_file = File('cxx_config/init.cc') 6969477Sandreas.hansson@arm.com 6979477Sandreas.hansson@arm.com def createCxxConfigInitCC(target, source, env): 6989477Sandreas.hansson@arm.com assert len(target) == 1 and len(source) == 1 6999477Sandreas.hansson@arm.com 7009477Sandreas.hansson@arm.com code = code_formatter() 7019477Sandreas.hansson@arm.com 7029477Sandreas.hansson@arm.com for name,simobj in sorted(sim_objects.iteritems()): 7039477Sandreas.hansson@arm.com if not hasattr(simobj, 'abstract') or not simobj.abstract: 7049477Sandreas.hansson@arm.com code('#include "cxx_config/${name}.hh"') 7059477Sandreas.hansson@arm.com code() 7069477Sandreas.hansson@arm.com code('void cxxConfigInit()') 7079477Sandreas.hansson@arm.com code('{') 7089477Sandreas.hansson@arm.com code.indent() 7099477Sandreas.hansson@arm.com for name,simobj in sorted(sim_objects.iteritems()): 7109477Sandreas.hansson@arm.com not_abstract = not hasattr(simobj, 'abstract') or \ 7119477Sandreas.hansson@arm.com not simobj.abstract 7129396Sandreas.hansson@arm.com if not_abstract and 'type' in simobj.__dict__: 7133053Sstever@eecs.umich.edu code('cxx_config_directory["${name}"] = ' 7146121Snate@binkert.org '${name}CxxConfigParams::makeDirectoryEntry();') 7153053Sstever@eecs.umich.edu code.dedent() 7163053Sstever@eecs.umich.edu code('}') 7173053Sstever@eecs.umich.edu code.write(target[0].abspath) 7183053Sstever@eecs.umich.edu 7193053Sstever@eecs.umich.edu py_source = PySource.modules[simobj.__module__] 7209072Sandreas.hansson@arm.com extra_deps = [ py_source.tnode ] 7213053Sstever@eecs.umich.edu env.Command(cxx_config_init_cc_file, Value(name), 7224742Sstever@eecs.umich.edu MakeAction(createCxxConfigInitCC, Transform("CXXCINIT"))) 7234742Sstever@eecs.umich.edu cxx_param_hh_files = ["cxx_config/%s.hh" % simobj 7243053Sstever@eecs.umich.edu for name,simobj in sorted(sim_objects.iteritems()) 7253053Sstever@eecs.umich.edu if not hasattr(simobj, 'abstract') or not simobj.abstract] 7263053Sstever@eecs.umich.edu Depends(cxx_config_init_cc_file, cxx_param_hh_files + 7278960Ssteve.reinhardt@amd.com [File('sim/cxx_config.hh')]) 7286654Snate@binkert.org Source(cxx_config_init_cc_file) 7293053Sstever@eecs.umich.edu 7303053Sstever@eecs.umich.edu# Generate all enum header files 7313053Sstever@eecs.umich.edufor name,enum in sorted(all_enums.iteritems()): 7323053Sstever@eecs.umich.edu py_source = PySource.modules[enum.__module__] 7339877Sandreas.hansson@arm.com extra_deps = [ py_source.tnode ] 7349877Sandreas.hansson@arm.com 7359877Sandreas.hansson@arm.com cc_file = File('enums/%s.cc' % name) 7369877Sandreas.hansson@arm.com env.Command(cc_file, [Value(name), Value(env['USE_PYTHON'])], 7379877Sandreas.hansson@arm.com MakeAction(createEnumStrings, Transform("ENUM STR"))) 7389585Sandreas@sandberg.pp.se env.Depends(cc_file, depends + extra_deps) 7399877Sandreas.hansson@arm.com Source(cc_file) 7409585Sandreas@sandberg.pp.se 7419877Sandreas.hansson@arm.com hh_file = File('enums/%s.hh' % name) 7429877Sandreas.hansson@arm.com env.Command(hh_file, Value(name), 7439585Sandreas@sandberg.pp.se MakeAction(createEnumDecls, Transform("ENUMDECL"))) 7442667Sstever@eecs.umich.edu env.Depends(hh_file, depends + extra_deps) 7454554Sbinkertn@umich.edu 7466121Snate@binkert.org# Generate SimObject Python bindings wrapper files 7472667Sstever@eecs.umich.eduif env['USE_PYTHON']: 7484554Sbinkertn@umich.edu for name,simobj in sorted(sim_objects.iteritems()): 7494554Sbinkertn@umich.edu py_source = PySource.modules[simobj.__module__] 7504554Sbinkertn@umich.edu extra_deps = [ py_source.tnode ] 7516121Snate@binkert.org cc_file = File('python/_m5/param_%s.cc' % name) 7524554Sbinkertn@umich.edu env.Command(cc_file, Value(name), 7534554Sbinkertn@umich.edu MakeAction(createSimObjectPyBindWrapper, 7544554Sbinkertn@umich.edu Transform("SO PyBind"))) 7554781Snate@binkert.org env.Depends(cc_file, depends + extra_deps) 7564554Sbinkertn@umich.edu Source(cc_file) 7574554Sbinkertn@umich.edu 7582667Sstever@eecs.umich.edu# Build all protocol buffers if we have got protoc and protobuf available 7594554Sbinkertn@umich.eduif env['HAVE_PROTOBUF']: 7604554Sbinkertn@umich.edu for proto in ProtoBuf.all: 7614554Sbinkertn@umich.edu # Use both the source and header as the target, and the .proto 7624554Sbinkertn@umich.edu # file as the source. When executing the protoc compiler, also 7632667Sstever@eecs.umich.edu # specify the proto_path to avoid having the generated files 7644554Sbinkertn@umich.edu # include the path. 7652667Sstever@eecs.umich.edu env.Command([proto.cc_file, proto.hh_file], proto.tnode, 7664554Sbinkertn@umich.edu MakeAction('$PROTOC --cpp_out ${TARGET.dir} ' 7676121Snate@binkert.org '--proto_path ${SOURCE.dir} $SOURCE', 7682667Sstever@eecs.umich.edu Transform("PROTOC"))) 7695522Snate@binkert.org 7705522Snate@binkert.org # Add the C++ source file 7715522Snate@binkert.org Source(proto.cc_file, **proto.guards) 7725522Snate@binkert.orgelif ProtoBuf.all: 7735522Snate@binkert.org print 'Got protobuf to build, but lacks support!' 7745522Snate@binkert.org Exit(1) 7755522Snate@binkert.org 7765522Snate@binkert.org# 7775522Snate@binkert.org# Handle debug flags 7785522Snate@binkert.org# 7795522Snate@binkert.orgdef makeDebugFlagCC(target, source, env): 7805522Snate@binkert.org assert(len(target) == 1 and len(source) == 1) 7815522Snate@binkert.org 7825522Snate@binkert.org code = code_formatter() 7835522Snate@binkert.org 7845522Snate@binkert.org # delay definition of CompoundFlags until after all the definition 7855522Snate@binkert.org # of all constituent SimpleFlags 7865522Snate@binkert.org comp_code = code_formatter() 7875522Snate@binkert.org 7885522Snate@binkert.org # file header 7895522Snate@binkert.org code(''' 7905522Snate@binkert.org/* 7915522Snate@binkert.org * DO NOT EDIT THIS FILE! Automatically generated by SCons. 7925522Snate@binkert.org */ 7935522Snate@binkert.org 7945522Snate@binkert.org#include "base/debug.hh" 7952638Sstever@eecs.umich.edu 7962638Sstever@eecs.umich.edunamespace Debug { 7976121Snate@binkert.org 7983716Sstever@eecs.umich.edu''') 7995522Snate@binkert.org 8009420Sandreas.hansson@arm.com for name, flag in sorted(source[0].read().iteritems()): 8015522Snate@binkert.org n, compound, desc = flag 8025522Snate@binkert.org assert n == name 8035522Snate@binkert.org 8045522Snate@binkert.org if not compound: 8051858SN/A code('SimpleFlag $name("$name", "$desc");') 8065227Ssaidi@eecs.umich.edu else: 8075227Ssaidi@eecs.umich.edu comp_code('CompoundFlag $name("$name", "$desc",') 8085227Ssaidi@eecs.umich.edu comp_code.indent() 8095227Ssaidi@eecs.umich.edu last = len(compound) - 1 8106654Snate@binkert.org for i,flag in enumerate(compound): 8116654Snate@binkert.org if i != last: 8127769SAli.Saidi@ARM.com comp_code('&$flag,') 8137769SAli.Saidi@ARM.com else: 8147769SAli.Saidi@ARM.com comp_code('&$flag);') 8157769SAli.Saidi@ARM.com comp_code.dedent() 8165227Ssaidi@eecs.umich.edu 8175227Ssaidi@eecs.umich.edu code.append(comp_code) 8185227Ssaidi@eecs.umich.edu code() 8195204Sstever@gmail.com code('} // namespace Debug') 8205204Sstever@gmail.com 8215204Sstever@gmail.com code.write(str(target[0])) 8225204Sstever@gmail.com 8235204Sstever@gmail.comdef makeDebugFlagHH(target, source, env): 8245204Sstever@gmail.com assert(len(target) == 1 and len(source) == 1) 8255204Sstever@gmail.com 8265204Sstever@gmail.com val = eval(source[0].get_contents()) 8275204Sstever@gmail.com name, compound, desc = val 8285204Sstever@gmail.com 8295204Sstever@gmail.com code = code_formatter() 8305204Sstever@gmail.com 8315204Sstever@gmail.com # file header boilerplate 8325204Sstever@gmail.com code('''\ 8335204Sstever@gmail.com/* 8345204Sstever@gmail.com * DO NOT EDIT THIS FILE! Automatically generated by SCons. 8355204Sstever@gmail.com */ 8366121Snate@binkert.org 8375204Sstever@gmail.com#ifndef __DEBUG_${name}_HH__ 8387727SAli.Saidi@ARM.com#define __DEBUG_${name}_HH__ 8397727SAli.Saidi@ARM.com 8407727SAli.Saidi@ARM.comnamespace Debug { 8417727SAli.Saidi@ARM.com''') 8427727SAli.Saidi@ARM.com 8439812Sandreas.hansson@arm.com if compound: 8449812Sandreas.hansson@arm.com code('class CompoundFlag;') 8459812Sandreas.hansson@arm.com code('class SimpleFlag;') 8469812Sandreas.hansson@arm.com 8479812Sandreas.hansson@arm.com if compound: 8489812Sandreas.hansson@arm.com code('extern CompoundFlag $name;') 8499812Sandreas.hansson@arm.com for flag in compound: 8509812Sandreas.hansson@arm.com code('extern SimpleFlag $flag;') 8519812Sandreas.hansson@arm.com else: 8529812Sandreas.hansson@arm.com code('extern SimpleFlag $name;') 8539812Sandreas.hansson@arm.com 8549812Sandreas.hansson@arm.com code(''' 8559812Sandreas.hansson@arm.com} 8569812Sandreas.hansson@arm.com 8579812Sandreas.hansson@arm.com#endif // __DEBUG_${name}_HH__ 8589812Sandreas.hansson@arm.com''') 8599812Sandreas.hansson@arm.com 8609812Sandreas.hansson@arm.com code.write(str(target[0])) 8619812Sandreas.hansson@arm.com 8629812Sandreas.hansson@arm.comfor name,flag in sorted(debug_flags.iteritems()): 8639812Sandreas.hansson@arm.com n, compound, desc = flag 8649812Sandreas.hansson@arm.com assert n == name 8659812Sandreas.hansson@arm.com 8669812Sandreas.hansson@arm.com hh_file = 'debug/%s.hh' % name 8677727SAli.Saidi@ARM.com env.Command(hh_file, Value(flag), 8685863Snate@binkert.org MakeAction(makeDebugFlagHH, Transform("TRACING", 0))) 8693118Sstever@eecs.umich.edu 8705863Snate@binkert.orgenv.Command('debug/flags.cc', Value(debug_flags), 8719239Sandreas.hansson@arm.com MakeAction(makeDebugFlagCC, Transform("TRACING", 0))) 8723118Sstever@eecs.umich.eduSource('debug/flags.cc') 8733118Sstever@eecs.umich.edu 8745863Snate@binkert.org# version tags 8755863Snate@binkert.orgtags = \ 8765863Snate@binkert.orgenv.Command('sim/tags.cc', None, 8775863Snate@binkert.org MakeAction('util/cpt_upgrader.py --get-cc-file > $TARGET', 8783118Sstever@eecs.umich.edu Transform("VER TAGS"))) 8793483Ssaidi@eecs.umich.eduenv.AlwaysBuild(tags) 8803494Ssaidi@eecs.umich.edu 8813494Ssaidi@eecs.umich.edu# Embed python files. All .py files that have been indicated by a 8823483Ssaidi@eecs.umich.edu# PySource() call in a SConscript need to be embedded into the M5 8833483Ssaidi@eecs.umich.edu# library. To do that, we compile the file to byte code, marshal the 8843483Ssaidi@eecs.umich.edu# byte code, compress it, and then generate a c++ file that 8853053Sstever@eecs.umich.edu# inserts the result into an array. 8863053Sstever@eecs.umich.edudef embedPyFile(target, source, env): 8873918Ssaidi@eecs.umich.edu def c_str(string): 8883053Sstever@eecs.umich.edu if string is None: 8893053Sstever@eecs.umich.edu return "0" 8903053Sstever@eecs.umich.edu return '"%s"' % string 8913053Sstever@eecs.umich.edu 8923053Sstever@eecs.umich.edu '''Action function to compile a .py into a code object, marshal 8939396Sandreas.hansson@arm.com it, compress it, and stick it into an asm file so the code appears 8949396Sandreas.hansson@arm.com as just bytes with a label in the data section''' 8959396Sandreas.hansson@arm.com 8969396Sandreas.hansson@arm.com src = file(str(source[0]), 'r').read() 8979396Sandreas.hansson@arm.com 8989396Sandreas.hansson@arm.com pysource = PySource.tnodes[source[0]] 8999396Sandreas.hansson@arm.com compiled = compile(src, pysource.abspath, 'exec') 9009396Sandreas.hansson@arm.com marshalled = marshal.dumps(compiled) 9019396Sandreas.hansson@arm.com compressed = zlib.compress(marshalled) 9029477Sandreas.hansson@arm.com data = compressed 9039396Sandreas.hansson@arm.com sym = pysource.symname 9049477Sandreas.hansson@arm.com 9059477Sandreas.hansson@arm.com code = code_formatter() 9069477Sandreas.hansson@arm.com code('''\ 9079477Sandreas.hansson@arm.com#include "sim/init.hh" 9089396Sandreas.hansson@arm.com 9097840Snate@binkert.orgnamespace { 9107865Sgblack@eecs.umich.edu 9117865Sgblack@eecs.umich.educonst uint8_t data_${sym}[] = { 9127865Sgblack@eecs.umich.edu''') 9137865Sgblack@eecs.umich.edu code.indent() 9147865Sgblack@eecs.umich.edu step = 16 9157840Snate@binkert.org for i in xrange(0, len(data), step): 9169591Sandreas@sandberg.pp.se x = array.array('B', data[i:i+step]) 9179591Sandreas@sandberg.pp.se code(''.join('%d,' % d for d in x)) 9189591Sandreas@sandberg.pp.se code.dedent() 9199590Sandreas@sandberg.pp.se 9209590Sandreas@sandberg.pp.se code('''}; 9219045SAli.Saidi@ARM.com 9229045SAli.Saidi@ARM.comEmbeddedPython embedded_${sym}( 9239071Sandreas.hansson@arm.com ${{c_str(pysource.arcname)}}, 9249071Sandreas.hansson@arm.com ${{c_str(pysource.abspath)}}, 9259045SAli.Saidi@ARM.com ${{c_str(pysource.modpath)}}, 9267840Snate@binkert.org data_${sym}, 9277840Snate@binkert.org ${{len(data)}}, 9287840Snate@binkert.org ${{len(marshalled)}}); 9291858SN/A 9301858SN/A} // anonymous namespace 9311858SN/A''') 9321858SN/A code.write(str(target[0])) 9331858SN/A 9341858SN/Afor source in PySource.all: 9359651SAndreas.Sandberg@ARM.com env.Command(source.cpp, source.tnode, 9369651SAndreas.Sandberg@ARM.com MakeAction(embedPyFile, Transform("EMBED PY"))) 9379651SAndreas.Sandberg@ARM.com Source(source.cpp, skip_no_python=True) 9389651SAndreas.Sandberg@ARM.com 9399651SAndreas.Sandberg@ARM.com######################################################################## 9409651SAndreas.Sandberg@ARM.com# 9419651SAndreas.Sandberg@ARM.com# Define binaries. Each different build type (debug, opt, etc.) gets 9429651SAndreas.Sandberg@ARM.com# a slightly different build environment. 9439651SAndreas.Sandberg@ARM.com# 9449657Sandreas.sandberg@arm.com 9459883Sandreas@sandberg.pp.se# List of constructed environments to pass back to SConstruct 9469651SAndreas.Sandberg@ARM.comdate_source = Source('base/date.cc', skip_lib=True) 9479651SAndreas.Sandberg@ARM.com 9489651SAndreas.Sandberg@ARM.com# Capture this directory for the closure makeEnv, otherwise when it is 9499651SAndreas.Sandberg@ARM.com# called, it won't know what directory it should use. 9509651SAndreas.Sandberg@ARM.comvariant_dir = Dir('.').path 9519651SAndreas.Sandberg@ARM.comdef variant(*path): 9529651SAndreas.Sandberg@ARM.com return os.path.join(variant_dir, *path) 9539651SAndreas.Sandberg@ARM.comdef variantd(*path): 9549651SAndreas.Sandberg@ARM.com return variant(*path)+'/' 9559651SAndreas.Sandberg@ARM.com 9569651SAndreas.Sandberg@ARM.com# Function to create a new build environment as clone of current 9575863Snate@binkert.org# environment 'env' with modified object suffix and optional stripped 9585863Snate@binkert.org# binary. Additional keyword arguments are appended to corresponding 9595863Snate@binkert.org# build environment vars. 9605863Snate@binkert.orgdef makeEnv(env, label, objsfx, strip = False, **kwargs): 9616121Snate@binkert.org # SCons doesn't know to append a library suffix when there is a '.' in the 9621858SN/A # name. Use '_' instead. 9635863Snate@binkert.org libname = variant('gem5_' + label) 9645863Snate@binkert.org exename = variant('gem5.' + label) 9655863Snate@binkert.org secondary_exename = variant('m5.' + label) 9665863Snate@binkert.org 9675863Snate@binkert.org new_env = env.Clone(OBJSUFFIX=objsfx, SHOBJSUFFIX=objsfx + 's') 9682139SN/A new_env.Label = label 9694202Sbinkertn@umich.edu new_env.Append(**kwargs) 9704202Sbinkertn@umich.edu 9712139SN/A if env['GCC']: 9726994Snate@binkert.org # The address sanitizer is available for gcc >= 4.8 9736994Snate@binkert.org if GetOption('with_asan'): 9746994Snate@binkert.org if GetOption('with_ubsan') and \ 9756994Snate@binkert.org compareVersions(env['GCC_VERSION'], '4.9') >= 0: 9766994Snate@binkert.org new_env.Append(CCFLAGS=['-fsanitize=address,undefined', 9776994Snate@binkert.org '-fno-omit-frame-pointer']) 9786994Snate@binkert.org new_env.Append(LINKFLAGS='-fsanitize=address,undefined') 9796994Snate@binkert.org else: 9806994Snate@binkert.org new_env.Append(CCFLAGS=['-fsanitize=address', 9816994Snate@binkert.org '-fno-omit-frame-pointer']) 9826994Snate@binkert.org new_env.Append(LINKFLAGS='-fsanitize=address') 9836994Snate@binkert.org # Only gcc >= 4.9 supports UBSan, so check both the version 9846994Snate@binkert.org # and the command-line option before adding the compiler and 9856994Snate@binkert.org # linker flags. 9866994Snate@binkert.org elif GetOption('with_ubsan') and \ 9876994Snate@binkert.org compareVersions(env['GCC_VERSION'], '4.9') >= 0: 9886994Snate@binkert.org new_env.Append(CCFLAGS='-fsanitize=undefined') 9896994Snate@binkert.org new_env.Append(LINKFLAGS='-fsanitize=undefined') 9906994Snate@binkert.org 9916994Snate@binkert.org 9926994Snate@binkert.org if env['CLANG']: 9936994Snate@binkert.org # We require clang >= 3.1, so there is no need to check any 9946994Snate@binkert.org # versions here. 9956994Snate@binkert.org if GetOption('with_ubsan'): 9966994Snate@binkert.org if GetOption('with_asan'): 9976994Snate@binkert.org new_env.Append(CCFLAGS=['-fsanitize=address,undefined', 9986994Snate@binkert.org '-fno-omit-frame-pointer']) 9996994Snate@binkert.org new_env.Append(LINKFLAGS='-fsanitize=address,undefined') 10002155SN/A else: 10015863Snate@binkert.org new_env.Append(CCFLAGS='-fsanitize=undefined') 10021869SN/A new_env.Append(LINKFLAGS='-fsanitize=undefined') 10031869SN/A 10045863Snate@binkert.org elif GetOption('with_asan'): 10055863Snate@binkert.org new_env.Append(CCFLAGS=['-fsanitize=address', 10064202Sbinkertn@umich.edu '-fno-omit-frame-pointer']) 10076108Snate@binkert.org new_env.Append(LINKFLAGS='-fsanitize=address') 10086108Snate@binkert.org 10096108Snate@binkert.org werror_env = new_env.Clone() 10106108Snate@binkert.org # Treat warnings as errors but white list some warnings that we 10119219Spower.jg@gmail.com # want to allow (e.g., deprecation warnings). 10129219Spower.jg@gmail.com werror_env.Append(CCFLAGS=['-Werror', 10139219Spower.jg@gmail.com '-Wno-error=deprecated-declarations', 10149219Spower.jg@gmail.com '-Wno-error=deprecated', 10159219Spower.jg@gmail.com ]) 10169219Spower.jg@gmail.com 10179219Spower.jg@gmail.com def make_obj(source, static, extra_deps = None): 10189219Spower.jg@gmail.com '''This function adds the specified source to the correct 10194202Sbinkertn@umich.edu build environment, and returns the corresponding SCons Object 10205863Snate@binkert.org nodes''' 10218474Sgblack@eecs.umich.edu 10228474Sgblack@eecs.umich.edu if source.Werror: 10235742Snate@binkert.org env = werror_env 10248268Ssteve.reinhardt@amd.com else: 10258268Ssteve.reinhardt@amd.com env = new_env 10268268Ssteve.reinhardt@amd.com 10275742Snate@binkert.org if static: 10285341Sstever@gmail.com obj = env.StaticObject(source.tnode) 10298474Sgblack@eecs.umich.edu else: 10308474Sgblack@eecs.umich.edu obj = env.SharedObject(source.tnode) 10315342Sstever@gmail.com 10324202Sbinkertn@umich.edu if extra_deps: 10334202Sbinkertn@umich.edu env.Depends(obj, extra_deps) 10344202Sbinkertn@umich.edu 10355863Snate@binkert.org return obj 10365863Snate@binkert.org 10376994Snate@binkert.org lib_guards = {'main': False, 'skip_lib': False} 10386994Snate@binkert.org 10396994Snate@binkert.org # Without Python, leave out all Python content from the library 10405863Snate@binkert.org # builds. The option doesn't affect gem5 built as a program 10415863Snate@binkert.org if GetOption('without_python'): 10425863Snate@binkert.org lib_guards['skip_no_python'] = False 10435863Snate@binkert.org 10445863Snate@binkert.org static_objs = [] 10455863Snate@binkert.org shared_objs = [] 10465863Snate@binkert.org for s in guarded_source_iterator(Source.source_groups[None], **lib_guards): 10475863Snate@binkert.org static_objs.append(make_obj(s, True)) 10487840Snate@binkert.org shared_objs.append(make_obj(s, False)) 10495863Snate@binkert.org 10505952Ssaidi@eecs.umich.edu partial_objs = [] 10519651SAndreas.Sandberg@ARM.com for group, all_srcs in Source.source_groups.iteritems(): 10529219Spower.jg@gmail.com # If these are the ungrouped source files, skip them. 10539219Spower.jg@gmail.com if not group: 10541869SN/A continue 10551858SN/A 10565863Snate@binkert.org # Get a list of the source files compatible with the current guards. 10579420Sandreas.hansson@arm.com srcs = [ s for s in guarded_source_iterator(all_srcs, **lib_guards) ] 10589420Sandreas.hansson@arm.com # If there aren't any left, skip this group. 10591858SN/A if not srcs: 1060955SN/A continue 1061955SN/A 10621869SN/A # Set up the static partially linked objects. 10631869SN/A source_objs = [ make_obj(s, True) for s in srcs ] 10641869SN/A file_name = new_env.subst("${OBJPREFIX}lib${OBJSUFFIX}.partial") 10651869SN/A target = File(joinpath(group, file_name)) 10661869SN/A partial = env.PartialStatic(target=target, source=source_objs) 10675863Snate@binkert.org static_objs.append(partial) 10685863Snate@binkert.org 10695863Snate@binkert.org # Set up the shared partially linked objects. 10701869SN/A source_objs = [ make_obj(s, False) for s in srcs ] 10715863Snate@binkert.org file_name = new_env.subst("${SHOBJPREFIX}lib${SHOBJSUFFIX}.partial") 10721869SN/A target = File(joinpath(group, file_name)) 10735863Snate@binkert.org partial = env.PartialShared(target=target, source=source_objs) 10741869SN/A shared_objs.append(partial) 10751869SN/A 10761869SN/A static_date = make_obj(date_source, static=True, extra_deps=static_objs) 10771869SN/A static_objs.append(static_date) 10788483Sgblack@eecs.umich.edu 10791869SN/A shared_date = make_obj(date_source, static=False, extra_deps=shared_objs) 10801869SN/A shared_objs.append(shared_date) 10811869SN/A 10821869SN/A # First make a library of everything but main() so other programs can 10835863Snate@binkert.org # link against m5. 10845863Snate@binkert.org static_lib = new_env.StaticLibrary(libname, static_objs) 10851869SN/A shared_lib = new_env.SharedLibrary(libname, shared_objs) 10865863Snate@binkert.org 10875863Snate@binkert.org # Now link a stub with main() and the static library. 10883356Sbinkertn@umich.edu main_objs = [ make_obj(s, True) for s in Source.get(main=True) ] 10893356Sbinkertn@umich.edu 10903356Sbinkertn@umich.edu for test in UnitTest.all: 10913356Sbinkertn@umich.edu flags = { test.target : True } 10923356Sbinkertn@umich.edu test_sources = Source.get(**flags) 10934781Snate@binkert.org test_objs = [ make_obj(s, static=True) for s in test_sources ] 10945863Snate@binkert.org if test.main: 10955863Snate@binkert.org test_objs += main_objs 10961869SN/A path = variant('unittest/%s.%s' % (test.target, label)) 10971869SN/A new_env.Program(path, test_objs + static_objs) 10981869SN/A 10996121Snate@binkert.org progname = exename 11001869SN/A if strip: 11012638Sstever@eecs.umich.edu progname += '.unstripped' 11026121Snate@binkert.org 11036121Snate@binkert.org targets = new_env.Program(progname, main_objs + static_objs) 11042638Sstever@eecs.umich.edu 11055749Scws3k@cs.virginia.edu if strip: 11066121Snate@binkert.org if sys.platform == 'sunos5': 11076121Snate@binkert.org cmd = 'cp $SOURCE $TARGET; strip $TARGET' 11085749Scws3k@cs.virginia.edu else: 11099537Satgutier@umich.edu cmd = 'strip $SOURCE -o $TARGET' 11109537Satgutier@umich.edu targets = new_env.Command(exename, progname, 11119537Satgutier@umich.edu MakeAction(cmd, Transform("STRIP"))) 11129537Satgutier@umich.edu 11139888Sandreas@sandberg.pp.se new_env.Command(secondary_exename, exename, 11149888Sandreas@sandberg.pp.se MakeAction('ln $SOURCE $TARGET', Transform("HARDLINK"))) 11159888Sandreas@sandberg.pp.se 11169888Sandreas@sandberg.pp.se new_env.M5Binary = targets[0] 11171869SN/A 11181869SN/A # Set up regression tests. 11193546Sgblack@eecs.umich.edu SConscript(os.path.join(env.root.abspath, 'tests', 'SConscript'), 11203546Sgblack@eecs.umich.edu variant_dir=variantd('tests', new_env.Label), 11213546Sgblack@eecs.umich.edu exports={ 'env' : new_env }, duplicate=False) 11223546Sgblack@eecs.umich.edu 11236121Snate@binkert.org# Start out with the compiler flags common to all compilers, 11245863Snate@binkert.org# i.e. they all use -g for opt and -g -pg for prof 11253546Sgblack@eecs.umich.educcflags = {'debug' : [], 'opt' : ['-g'], 'fast' : [], 'prof' : ['-g', '-pg'], 11263546Sgblack@eecs.umich.edu 'perf' : ['-g']} 11273546Sgblack@eecs.umich.edu 11283546Sgblack@eecs.umich.edu# Start out with the linker flags common to all linkers, i.e. -pg for 11294781Snate@binkert.org# prof, and -lprofiler for perf. The -lprofile flag is surrounded by 11304781Snate@binkert.org# no-as-needed and as-needed as the binutils linker is too clever and 11316658Snate@binkert.org# simply doesn't link to the library otherwise. 11326658Snate@binkert.orgldflags = {'debug' : [], 'opt' : [], 'fast' : [], 'prof' : ['-pg'], 11334781Snate@binkert.org 'perf' : ['-Wl,--no-as-needed', '-lprofiler', '-Wl,--as-needed']} 11343546Sgblack@eecs.umich.edu 11353546Sgblack@eecs.umich.edu# For Link Time Optimization, the optimisation flags used to compile 11363546Sgblack@eecs.umich.edu# individual files are decoupled from those used at link time 11373546Sgblack@eecs.umich.edu# (i.e. you can compile with -O3 and perform LTO with -O0), so we need 11387756SAli.Saidi@ARM.com# to also update the linker flags based on the target. 11397816Ssteve.reinhardt@amd.comif env['GCC']: 11403546Sgblack@eecs.umich.edu if sys.platform == 'sunos5': 11413546Sgblack@eecs.umich.edu ccflags['debug'] += ['-gstabs+'] 11423546Sgblack@eecs.umich.edu else: 11433546Sgblack@eecs.umich.edu ccflags['debug'] += ['-ggdb3'] 11444202Sbinkertn@umich.edu ldflags['debug'] += ['-O0'] 11453546Sgblack@eecs.umich.edu # opt, fast, prof and perf all share the same cc flags, also add 11463546Sgblack@eecs.umich.edu # the optimization to the ldflags as LTO defers the optimization 11473546Sgblack@eecs.umich.edu # to link time 1148955SN/A for target in ['opt', 'fast', 'prof', 'perf']: 1149955SN/A ccflags[target] += ['-O3'] 1150955SN/A ldflags[target] += ['-O3'] 1151955SN/A 11525863Snate@binkert.org ccflags['fast'] += env['LTO_CCFLAGS'] 11535863Snate@binkert.org ldflags['fast'] += env['LTO_LDFLAGS'] 11545343Sstever@gmail.comelif env['CLANG']: 11555343Sstever@gmail.com ccflags['debug'] += ['-g', '-O0'] 11566121Snate@binkert.org # opt, fast, prof and perf all share the same cc flags 11575863Snate@binkert.org for target in ['opt', 'fast', 'prof', 'perf']: 11584773Snate@binkert.org ccflags[target] += ['-O3'] 11595863Snate@binkert.orgelse: 11602632Sstever@eecs.umich.edu print 'Unknown compiler, please fix compiler options' 11615863Snate@binkert.org Exit(1) 11622023SN/A 11635863Snate@binkert.org 11645863Snate@binkert.org# To speed things up, we only instantiate the build environments we 11655863Snate@binkert.org# need. We try to identify the needed environment for each target; if 11665863Snate@binkert.org# we can't, we fall back on instantiating all the environments just to 11675863Snate@binkert.org# be safe. 11685863Snate@binkert.orgtarget_types = ['debug', 'opt', 'fast', 'prof', 'perf'] 11695863Snate@binkert.orgobj2target = {'do': 'debug', 'o': 'opt', 'fo': 'fast', 'po': 'prof', 11705863Snate@binkert.org 'gpo' : 'perf'} 11715863Snate@binkert.org 11722632Sstever@eecs.umich.edudef identifyTarget(t): 11735863Snate@binkert.org ext = t.split('.')[-1] 11742023SN/A if ext in target_types: 11752632Sstever@eecs.umich.edu return ext 11765863Snate@binkert.org if obj2target.has_key(ext): 11775342Sstever@gmail.com return obj2target[ext] 11785863Snate@binkert.org match = re.search(r'/tests/([^/]+)/', t) 11792632Sstever@eecs.umich.edu if match and match.group(1) in target_types: 11805863Snate@binkert.org return match.group(1) 11815863Snate@binkert.org return 'all' 11828267Ssteve.reinhardt@amd.com 11838120Sgblack@eecs.umich.eduneeded_envs = [identifyTarget(target) for target in BUILD_TARGETS] 11848267Ssteve.reinhardt@amd.comif 'all' in needed_envs: 11858267Ssteve.reinhardt@amd.com needed_envs += target_types 11868267Ssteve.reinhardt@amd.com 11878267Ssteve.reinhardt@amd.comdef makeEnvirons(target, source, env): 11888267Ssteve.reinhardt@amd.com # cause any later Source() calls to be fatal, as a diagnostic. 11898267Ssteve.reinhardt@amd.com Source.done() 11908267Ssteve.reinhardt@amd.com 11918267Ssteve.reinhardt@amd.com # Debug binary 11928267Ssteve.reinhardt@amd.com if 'debug' in needed_envs: 11935863Snate@binkert.org makeEnv(env, 'debug', '.do', 11945863Snate@binkert.org CCFLAGS = Split(ccflags['debug']), 11955863Snate@binkert.org CPPDEFINES = ['DEBUG', 'TRACING_ON=1'], 11962632Sstever@eecs.umich.edu LINKFLAGS = Split(ldflags['debug'])) 11978267Ssteve.reinhardt@amd.com 11988267Ssteve.reinhardt@amd.com # Optimized binary 11998267Ssteve.reinhardt@amd.com if 'opt' in needed_envs: 12002632Sstever@eecs.umich.edu makeEnv(env, 'opt', '.o', 12011888SN/A CCFLAGS = Split(ccflags['opt']), 12025863Snate@binkert.org CPPDEFINES = ['TRACING_ON=1'], 12035863Snate@binkert.org LINKFLAGS = Split(ldflags['opt'])) 12041858SN/A 12058120Sgblack@eecs.umich.edu # "Fast" binary 12068120Sgblack@eecs.umich.edu if 'fast' in needed_envs: 12077756SAli.Saidi@ARM.com makeEnv(env, 'fast', '.fo', strip = True, 12082598SN/A CCFLAGS = Split(ccflags['fast']), 12095863Snate@binkert.org CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'], 12101858SN/A LINKFLAGS = Split(ldflags['fast'])) 12111858SN/A 12121858SN/A # Profiled binary using gprof 12135863Snate@binkert.org if 'prof' in needed_envs: 12141858SN/A makeEnv(env, 'prof', '.po', 12151858SN/A CCFLAGS = Split(ccflags['prof']), 12161858SN/A CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'], 12175863Snate@binkert.org LINKFLAGS = Split(ldflags['prof'])) 12181871SN/A 12191858SN/A # Profiled binary using google-pprof 12201858SN/A if 'perf' in needed_envs: 12211858SN/A makeEnv(env, 'perf', '.gpo', 12221858SN/A CCFLAGS = Split(ccflags['perf']), 12239651SAndreas.Sandberg@ARM.com CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'], 12249651SAndreas.Sandberg@ARM.com LINKFLAGS = Split(ldflags['perf'])) 12259651SAndreas.Sandberg@ARM.com 12269651SAndreas.Sandberg@ARM.com# The MakeEnvirons Builder defers the full dependency collection until 12279651SAndreas.Sandberg@ARM.com# after processing the ISA definition (due to dynamically generated 12289651SAndreas.Sandberg@ARM.com# source files). Add this dependency to all targets so they will wait 12299651SAndreas.Sandberg@ARM.com# until the environments are completely set up. Otherwise, a second 12309651SAndreas.Sandberg@ARM.com# process (e.g. -j2 or higher) will try to compile the requested target, 12319651SAndreas.Sandberg@ARM.com# not know how, and fail. 12325863Snate@binkert.orgenv.Append(BUILDERS = {'MakeEnvirons' : 12335863Snate@binkert.org Builder(action=MakeAction(makeEnvirons, 12341869SN/A Transform("ENVIRONS", 1)))}) 12351965SN/A 12367739Sgblack@eecs.umich.eduisa_target = env['PHONY_BASE'] + '-deps' 12371965SN/Aenvirons = env['PHONY_BASE'] + '-environs' 12382761Sstever@eecs.umich.eduenv.Depends('#all-deps', isa_target) 12395863Snate@binkert.orgenv.Depends('#all-environs', environs) 12401869SN/Aenv.ScanISA(isa_target, File('arch/%s/generated/inc.d' % env['TARGET_ISA'])) 12415863Snate@binkert.orgenvSetup = env.MakeEnvirons(environs, isa_target) 12422667Sstever@eecs.umich.edu 12431869SN/A# make sure no -deps targets occur before all ISAs are complete 12441869SN/Aenv.Depends(isa_target, '#all-isas') 12452929Sktlim@umich.edu# likewise for -environs targets and all the -deps targets 12462929Sktlim@umich.eduenv.Depends(environs, '#all-deps') 12475863Snate@binkert.org