SConscript revision 10685
1955SN/A# -*- mode:python -*-
2955SN/A
31762SN/A# Copyright (c) 2004-2005 The Regents of The University of Michigan
4955SN/A# All rights reserved.
5955SN/A#
6955SN/A# Redistribution and use in source and binary forms, with or without
7955SN/A# modification, are permitted provided that the following conditions are
8955SN/A# met: redistributions of source code must retain the above copyright
9955SN/A# notice, this list of conditions and the following disclaimer;
10955SN/A# redistributions in binary form must reproduce the above copyright
11955SN/A# notice, this list of conditions and the following disclaimer in the
12955SN/A# documentation and/or other materials provided with the distribution;
13955SN/A# neither the name of the copyright holders nor the names of its
14955SN/A# contributors may be used to endorse or promote products derived from
15955SN/A# this software without specific prior written permission.
16955SN/A#
17955SN/A# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
18955SN/A# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
19955SN/A# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
20955SN/A# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
21955SN/A# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
22955SN/A# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
23955SN/A# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
24955SN/A# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
25955SN/A# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
26955SN/A# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
27955SN/A# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
282665Ssaidi@eecs.umich.edu#
294762Snate@binkert.org# Authors: Nathan Binkert
30955SN/A
315522Snate@binkert.orgimport array
326143Snate@binkert.orgimport bisect
334762Snate@binkert.orgimport imp
345522Snate@binkert.orgimport marshal
35955SN/Aimport os
365522Snate@binkert.orgimport re
3711974Sgabeblack@google.comimport sys
38955SN/Aimport zlib
395522Snate@binkert.org
404202Sbinkertn@umich.edufrom os.path import basename, dirname, exists, isdir, isfile, join as joinpath
415742Snate@binkert.org
42955SN/Aimport SCons
434381Sbinkertn@umich.edu
444381Sbinkertn@umich.edu# This file defines how to build a particular configuration of gem5
458334Snate@binkert.org# based on variable settings in the 'env' build environment.
46955SN/A
47955SN/AImport('*')
484202Sbinkertn@umich.edu
49955SN/A# Children need to see the environment
504382Sbinkertn@umich.eduExport('env')
514382Sbinkertn@umich.edu
524382Sbinkertn@umich.edubuild_env = [(opt, env[opt]) for opt in export_vars]
536654Snate@binkert.org
545517Snate@binkert.orgfrom m5.util import code_formatter, compareVersions
558614Sgblack@eecs.umich.edu
567674Snate@binkert.org########################################################################
576143Snate@binkert.org# Code for adding source files of various types
586143Snate@binkert.org#
596143Snate@binkert.org# When specifying a source file of some type, a set of guards can be
608233Snate@binkert.org# specified for that file.  When get() is used to find the files, if
618233Snate@binkert.org# get specifies a set of filters, only files that match those filters
628233Snate@binkert.org# will be accepted (unspecified filters on files are assumed to be
638233Snate@binkert.org# false).  Current filters are:
648233Snate@binkert.org#     main -- specifies the gem5 main() function
658334Snate@binkert.org#     skip_lib -- do not put this file into the gem5 library
668334Snate@binkert.org#     skip_no_python -- do not put this file into a no_python library
6710453SAndrew.Bardsley@arm.com#       as it embeds compiled Python
6810453SAndrew.Bardsley@arm.com#     <unittest> -- unit tests use filters based on the unit test name
698233Snate@binkert.org#
708233Snate@binkert.org# A parent can now be specified for a source file and default filter
718233Snate@binkert.org# values will be retrieved recursively from parents (children override
728233Snate@binkert.org# parents).
738233Snate@binkert.org#
748233Snate@binkert.orgclass SourceMeta(type):
7511983Sgabeblack@google.com    '''Meta class for source files that keeps track of all files of a
7611983Sgabeblack@google.com    particular type and has a get function for finding all functions
7711983Sgabeblack@google.com    of a certain type that match a set of guards'''
7811983Sgabeblack@google.com    def __init__(cls, name, bases, dict):
7911983Sgabeblack@google.com        super(SourceMeta, cls).__init__(name, bases, dict)
8011983Sgabeblack@google.com        cls.all = []
8111983Sgabeblack@google.com        
8211983Sgabeblack@google.com    def get(cls, **guards):
8311983Sgabeblack@google.com        '''Find all files that match the specified guards.  If a source
8411983Sgabeblack@google.com        file does not specify a flag, the default is False'''
8511983Sgabeblack@google.com        for src in cls.all:
866143Snate@binkert.org            for flag,value in guards.iteritems():
878233Snate@binkert.org                # if the flag is found and has a different value, skip
888233Snate@binkert.org                # this file
898233Snate@binkert.org                if src.all_guards.get(flag, False) != value:
906143Snate@binkert.org                    break
916143Snate@binkert.org            else:
926143Snate@binkert.org                yield src
9311308Santhony.gutierrez@amd.com
948233Snate@binkert.orgclass SourceFile(object):
958233Snate@binkert.org    '''Base object that encapsulates the notion of a source file.
968233Snate@binkert.org    This includes, the source node, target node, various manipulations
9711983Sgabeblack@google.com    of those.  A source file also specifies a set of guards which
9811983Sgabeblack@google.com    describing which builds the source file applies to.  A parent can
994762Snate@binkert.org    also be specified to get default guards from'''
1006143Snate@binkert.org    __metaclass__ = SourceMeta
1018233Snate@binkert.org    def __init__(self, source, parent=None, **guards):
1028233Snate@binkert.org        self.guards = guards
1038233Snate@binkert.org        self.parent = parent
1048233Snate@binkert.org
1058233Snate@binkert.org        tnode = source
1066143Snate@binkert.org        if not isinstance(source, SCons.Node.FS.File):
1078233Snate@binkert.org            tnode = File(source)
1088233Snate@binkert.org
1098233Snate@binkert.org        self.tnode = tnode
1108233Snate@binkert.org        self.snode = tnode.srcnode()
1116143Snate@binkert.org
1126143Snate@binkert.org        for base in type(self).__mro__:
1136143Snate@binkert.org            if issubclass(base, SourceFile):
1146143Snate@binkert.org                base.all.append(self)
1156143Snate@binkert.org
1166143Snate@binkert.org    @property
1176143Snate@binkert.org    def filename(self):
1186143Snate@binkert.org        return str(self.tnode)
1196143Snate@binkert.org
1207065Snate@binkert.org    @property
1216143Snate@binkert.org    def dirname(self):
1228233Snate@binkert.org        return dirname(self.filename)
1238233Snate@binkert.org
1248233Snate@binkert.org    @property
1258233Snate@binkert.org    def basename(self):
1268233Snate@binkert.org        return basename(self.filename)
1278233Snate@binkert.org
1288233Snate@binkert.org    @property
1298233Snate@binkert.org    def extname(self):
1308233Snate@binkert.org        index = self.basename.rfind('.')
1318233Snate@binkert.org        if index <= 0:
1328233Snate@binkert.org            # dot files aren't extensions
1338233Snate@binkert.org            return self.basename, None
1348233Snate@binkert.org
1358233Snate@binkert.org        return self.basename[:index], self.basename[index+1:]
1368233Snate@binkert.org
1378233Snate@binkert.org    @property
1388233Snate@binkert.org    def all_guards(self):
1398233Snate@binkert.org        '''find all guards for this object getting default values
1408233Snate@binkert.org        recursively from its parents'''
1418233Snate@binkert.org        guards = {}
1428233Snate@binkert.org        if self.parent:
1438233Snate@binkert.org            guards.update(self.parent.guards)
1448233Snate@binkert.org        guards.update(self.guards)
1458233Snate@binkert.org        return guards
1468233Snate@binkert.org
1478233Snate@binkert.org    def __lt__(self, other): return self.filename < other.filename
1488233Snate@binkert.org    def __le__(self, other): return self.filename <= other.filename
1498233Snate@binkert.org    def __gt__(self, other): return self.filename > other.filename
1508233Snate@binkert.org    def __ge__(self, other): return self.filename >= other.filename
1518233Snate@binkert.org    def __eq__(self, other): return self.filename == other.filename
1528233Snate@binkert.org    def __ne__(self, other): return self.filename != other.filename
1536143Snate@binkert.org
1546143Snate@binkert.org    @staticmethod
1556143Snate@binkert.org    def done():
1566143Snate@binkert.org        def disabled(cls, name, *ignored):
1576143Snate@binkert.org            raise RuntimeError("Additional SourceFile '%s'" % name,\
1586143Snate@binkert.org                  "declared, but targets deps are already fixed.")
1599982Satgutier@umich.edu        SourceFile.__init__ = disabled
16010196SCurtis.Dunham@arm.com
16110196SCurtis.Dunham@arm.com
16210196SCurtis.Dunham@arm.comclass Source(SourceFile):
16310196SCurtis.Dunham@arm.com    '''Add a c/c++ source file to the build'''
16410196SCurtis.Dunham@arm.com    def __init__(self, source, Werror=True, swig=False, **guards):
16510196SCurtis.Dunham@arm.com        '''specify the source file, and any guards'''
16610196SCurtis.Dunham@arm.com        super(Source, self).__init__(source, **guards)
16710196SCurtis.Dunham@arm.com
1686143Snate@binkert.org        self.Werror = Werror
16911983Sgabeblack@google.com        self.swig = swig
17011983Sgabeblack@google.com
17111983Sgabeblack@google.comclass PySource(SourceFile):
17211983Sgabeblack@google.com    '''Add a python source file to the named package'''
17311983Sgabeblack@google.com    invalid_sym_char = re.compile('[^A-z0-9_]')
17411983Sgabeblack@google.com    modules = {}
17511983Sgabeblack@google.com    tnodes = {}
17611983Sgabeblack@google.com    symnames = {}
17711983Sgabeblack@google.com
1786143Snate@binkert.org    def __init__(self, package, source, **guards):
17911988Sandreas.sandberg@arm.com        '''specify the python package, the source file, and any guards'''
1808233Snate@binkert.org        super(PySource, self).__init__(source, **guards)
1818233Snate@binkert.org
1826143Snate@binkert.org        modname,ext = self.extname
1838945Ssteve.reinhardt@amd.com        assert ext == 'py'
1846143Snate@binkert.org
18511983Sgabeblack@google.com        if package:
18611983Sgabeblack@google.com            path = package.split('.')
1876143Snate@binkert.org        else:
1886143Snate@binkert.org            path = []
1895522Snate@binkert.org
1906143Snate@binkert.org        modpath = path[:]
1916143Snate@binkert.org        if modname != '__init__':
1926143Snate@binkert.org            modpath += [ modname ]
1939982Satgutier@umich.edu        modpath = '.'.join(modpath)
1948233Snate@binkert.org
1958233Snate@binkert.org        arcpath = path + [ self.basename ]
1968233Snate@binkert.org        abspath = self.snode.abspath
1976143Snate@binkert.org        if not exists(abspath):
1986143Snate@binkert.org            abspath = self.tnode.abspath
1996143Snate@binkert.org
2006143Snate@binkert.org        self.package = package
2015522Snate@binkert.org        self.modname = modname
2025522Snate@binkert.org        self.modpath = modpath
2035522Snate@binkert.org        self.arcname = joinpath(*arcpath)
2045522Snate@binkert.org        self.abspath = abspath
2055604Snate@binkert.org        self.compiled = File(self.filename + 'c')
2065604Snate@binkert.org        self.cpp = File(self.filename + '.cc')
2076143Snate@binkert.org        self.symname = PySource.invalid_sym_char.sub('_', modpath)
2086143Snate@binkert.org
2094762Snate@binkert.org        PySource.modules[modpath] = self
2104762Snate@binkert.org        PySource.tnodes[self.tnode] = self
2116143Snate@binkert.org        PySource.symnames[self.symname] = self
2126727Ssteve.reinhardt@amd.com
2136727Ssteve.reinhardt@amd.comclass SimObject(PySource):
2146727Ssteve.reinhardt@amd.com    '''Add a SimObject python file as a python source object and add
2154762Snate@binkert.org    it to a list of sim object modules'''
2166143Snate@binkert.org
2176143Snate@binkert.org    fixed = False
2186143Snate@binkert.org    modnames = []
2196143Snate@binkert.org
2206727Ssteve.reinhardt@amd.com    def __init__(self, source, **guards):
2216143Snate@binkert.org        '''Specify the source file and any guards (automatically in
2227674Snate@binkert.org        the m5.objects package)'''
2237674Snate@binkert.org        super(SimObject, self).__init__('m5.objects', source, **guards)
2245604Snate@binkert.org        if self.fixed:
2256143Snate@binkert.org            raise AttributeError, "Too late to call SimObject now."
2266143Snate@binkert.org
2276143Snate@binkert.org        bisect.insort_right(SimObject.modnames, self.modname)
2284762Snate@binkert.org
2296143Snate@binkert.orgclass SwigSource(SourceFile):
2304762Snate@binkert.org    '''Add a swig file to build'''
2314762Snate@binkert.org
2324762Snate@binkert.org    def __init__(self, package, source, **guards):
2336143Snate@binkert.org        '''Specify the python package, the source file, and any guards'''
2346143Snate@binkert.org        super(SwigSource, self).__init__(source, skip_no_python=True, **guards)
2354762Snate@binkert.org
2368233Snate@binkert.org        modname,ext = self.extname
2378233Snate@binkert.org        assert ext == 'i'
2388233Snate@binkert.org
2398233Snate@binkert.org        self.module = modname
2406143Snate@binkert.org        cc_file = joinpath(self.dirname, modname + '_wrap.cc')
2416143Snate@binkert.org        py_file = joinpath(self.dirname, modname + '.py')
2424762Snate@binkert.org
2436143Snate@binkert.org        self.cc_source = Source(cc_file, swig=True, parent=self, **guards)
2444762Snate@binkert.org        self.py_source = PySource(package, py_file, parent=self, **guards)
2459396Sandreas.hansson@arm.com
2469396Sandreas.hansson@arm.comclass ProtoBuf(SourceFile):
2479396Sandreas.hansson@arm.com    '''Add a Protocol Buffer to build'''
2489396Sandreas.hansson@arm.com
2499396Sandreas.hansson@arm.com    def __init__(self, source, **guards):
2509396Sandreas.hansson@arm.com        '''Specify the source file, and any guards'''
2519396Sandreas.hansson@arm.com        super(ProtoBuf, self).__init__(source, **guards)
2529396Sandreas.hansson@arm.com
2539396Sandreas.hansson@arm.com        # Get the file name and the extension
2549396Sandreas.hansson@arm.com        modname,ext = self.extname
2559396Sandreas.hansson@arm.com        assert ext == 'proto'
2569396Sandreas.hansson@arm.com
2579396Sandreas.hansson@arm.com        # Currently, we stick to generating the C++ headers, so we
2589930Sandreas.hansson@arm.com        # only need to track the source and header.
2599930Sandreas.hansson@arm.com        self.cc_file = File(modname + '.pb.cc')
2609396Sandreas.hansson@arm.com        self.hh_file = File(modname + '.pb.h')
2618235Snate@binkert.org
2628235Snate@binkert.orgclass UnitTest(object):
2636143Snate@binkert.org    '''Create a UnitTest'''
2648235Snate@binkert.org
2659003SAli.Saidi@ARM.com    all = []
2668235Snate@binkert.org    def __init__(self, target, *sources, **kwargs):
2678235Snate@binkert.org        '''Specify the target name and any sources.  Sources that are
2688235Snate@binkert.org        not SourceFiles are evalued with Source().  All files are
2698235Snate@binkert.org        guarded with a guard of the same name as the UnitTest
2708235Snate@binkert.org        target.'''
2718235Snate@binkert.org
2728235Snate@binkert.org        srcs = []
2738235Snate@binkert.org        for src in sources:
2748235Snate@binkert.org            if not isinstance(src, SourceFile):
2758235Snate@binkert.org                src = Source(src, skip_lib=True)
2768235Snate@binkert.org            src.guards[target] = True
2778235Snate@binkert.org            srcs.append(src)
2788235Snate@binkert.org
2798235Snate@binkert.org        self.sources = srcs
2809003SAli.Saidi@ARM.com        self.target = target
2818235Snate@binkert.org        self.main = kwargs.get('main', False)
2825584Snate@binkert.org        UnitTest.all.append(self)
2834382Sbinkertn@umich.edu
2844202Sbinkertn@umich.edu# Children should have access
2854382Sbinkertn@umich.eduExport('Source')
2864382Sbinkertn@umich.eduExport('PySource')
2879396Sandreas.hansson@arm.comExport('SimObject')
2885584Snate@binkert.orgExport('SwigSource')
2894382Sbinkertn@umich.eduExport('ProtoBuf')
2904382Sbinkertn@umich.eduExport('UnitTest')
2914382Sbinkertn@umich.edu
2928232Snate@binkert.org########################################################################
2935192Ssaidi@eecs.umich.edu#
2948232Snate@binkert.org# Debug Flags
2958232Snate@binkert.org#
2968232Snate@binkert.orgdebug_flags = {}
2975192Ssaidi@eecs.umich.edudef DebugFlag(name, desc=None):
2988232Snate@binkert.org    if name in debug_flags:
2995192Ssaidi@eecs.umich.edu        raise AttributeError, "Flag %s already specified" % name
3005799Snate@binkert.org    debug_flags[name] = (name, (), desc)
3018232Snate@binkert.org
3025192Ssaidi@eecs.umich.edudef CompoundFlag(name, flags, desc=None):
3035192Ssaidi@eecs.umich.edu    if name in debug_flags:
3045192Ssaidi@eecs.umich.edu        raise AttributeError, "Flag %s already specified" % name
3058232Snate@binkert.org
3065192Ssaidi@eecs.umich.edu    compound = tuple(flags)
3078232Snate@binkert.org    debug_flags[name] = (name, compound, desc)
3085192Ssaidi@eecs.umich.edu
3095192Ssaidi@eecs.umich.eduExport('DebugFlag')
3105192Ssaidi@eecs.umich.eduExport('CompoundFlag')
3115192Ssaidi@eecs.umich.edu
3124382Sbinkertn@umich.edu########################################################################
3134382Sbinkertn@umich.edu#
3144382Sbinkertn@umich.edu# Set some compiler variables
3152667Sstever@eecs.umich.edu#
3162667Sstever@eecs.umich.edu
3172667Sstever@eecs.umich.edu# Include file paths are rooted in this directory.  SCons will
3182667Sstever@eecs.umich.edu# automatically expand '.' to refer to both the source directory and
3192667Sstever@eecs.umich.edu# the corresponding build directory to pick up generated include
3202667Sstever@eecs.umich.edu# files.
3215742Snate@binkert.orgenv.Append(CPPPATH=Dir('.'))
3225742Snate@binkert.org
3235742Snate@binkert.orgfor extra_dir in extras_dir_list:
3245793Snate@binkert.org    env.Append(CPPPATH=Dir(extra_dir))
3258334Snate@binkert.org
3265793Snate@binkert.org# Workaround for bug in SCons version > 0.97d20071212
3275793Snate@binkert.org# Scons bug id: 2006 gem5 Bug id: 308
3285793Snate@binkert.orgfor root, dirs, files in os.walk(base_dir, topdown=True):
3294382Sbinkertn@umich.edu    Dir(root[len(base_dir) + 1:])
3304762Snate@binkert.org
3315344Sstever@gmail.com########################################################################
3324382Sbinkertn@umich.edu#
3335341Sstever@gmail.com# Walk the tree and execute all SConscripts in subdirectories
3345742Snate@binkert.org#
3355742Snate@binkert.org
3365742Snate@binkert.orghere = Dir('.').srcnode().abspath
3375742Snate@binkert.orgfor root, dirs, files in os.walk(base_dir, topdown=True):
3385742Snate@binkert.org    if root == here:
3394762Snate@binkert.org        # we don't want to recurse back into this SConscript
3405742Snate@binkert.org        continue
3415742Snate@binkert.org
34211984Sgabeblack@google.com    if 'SConscript' in files:
3437722Sgblack@eecs.umich.edu        build_dir = joinpath(env['BUILDDIR'], root[len(base_dir) + 1:])
3445742Snate@binkert.org        SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir)
3455742Snate@binkert.org
3465742Snate@binkert.orgfor extra_dir in extras_dir_list:
3479930Sandreas.hansson@arm.com    prefix_len = len(dirname(extra_dir)) + 1
3489930Sandreas.hansson@arm.com
3499930Sandreas.hansson@arm.com    # Also add the corresponding build directory to pick up generated
3509930Sandreas.hansson@arm.com    # include files.
3519930Sandreas.hansson@arm.com    env.Append(CPPPATH=Dir(joinpath(env['BUILDDIR'], extra_dir[prefix_len:])))
3525742Snate@binkert.org
3538242Sbradley.danofsky@amd.com    for root, dirs, files in os.walk(extra_dir, topdown=True):
3548242Sbradley.danofsky@amd.com        # if build lives in the extras directory, don't walk down it
3558242Sbradley.danofsky@amd.com        if 'build' in dirs:
3568242Sbradley.danofsky@amd.com            dirs.remove('build')
3575341Sstever@gmail.com
3585742Snate@binkert.org        if 'SConscript' in files:
3597722Sgblack@eecs.umich.edu            build_dir = joinpath(env['BUILDDIR'], root[prefix_len:])
3604773Snate@binkert.org            SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir)
3616108Snate@binkert.org
3621858SN/Afor opt in export_vars:
3631085SN/A    env.ConfigFile(opt)
3646658Snate@binkert.org
3656658Snate@binkert.orgdef makeTheISA(source, target, env):
3667673Snate@binkert.org    isas = [ src.get_contents() for src in source ]
3676658Snate@binkert.org    target_isa = env['TARGET_ISA']
3686658Snate@binkert.org    def define(isa):
36911308Santhony.gutierrez@amd.com        return isa.upper() + '_ISA'
3706658Snate@binkert.org    
37111308Santhony.gutierrez@amd.com    def namespace(isa):
3726658Snate@binkert.org        return isa[0].upper() + isa[1:].lower() + 'ISA' 
3736658Snate@binkert.org
3747673Snate@binkert.org
3757673Snate@binkert.org    code = code_formatter()
3767673Snate@binkert.org    code('''\
3777673Snate@binkert.org#ifndef __CONFIG_THE_ISA_HH__
3787673Snate@binkert.org#define __CONFIG_THE_ISA_HH__
3797673Snate@binkert.org
3807673Snate@binkert.org''')
38110467Sandreas.hansson@arm.com
3826658Snate@binkert.org    # create defines for the preprocessing and compile-time determination
3837673Snate@binkert.org    for i,isa in enumerate(isas):
38410467Sandreas.hansson@arm.com        code('#define $0 $1', define(isa), i + 1)
38510467Sandreas.hansson@arm.com    code()
38610467Sandreas.hansson@arm.com
38710467Sandreas.hansson@arm.com    # create an enum for any run-time determination of the ISA, we
38810467Sandreas.hansson@arm.com    # reuse the same name as the namespaces
38910467Sandreas.hansson@arm.com    code('enum class Arch {')
39010467Sandreas.hansson@arm.com    for i,isa in enumerate(isas):
39110467Sandreas.hansson@arm.com        if i + 1 == len(isas):
39210467Sandreas.hansson@arm.com            code('  $0 = $1', namespace(isa), define(isa))
39310467Sandreas.hansson@arm.com        else:
39410467Sandreas.hansson@arm.com            code('  $0 = $1,', namespace(isa), define(isa))
3957673Snate@binkert.org    code('};')
3967673Snate@binkert.org
3977673Snate@binkert.org    code('''
3987673Snate@binkert.org
3997673Snate@binkert.org#define THE_ISA ${{define(target_isa)}}
4009048SAli.Saidi@ARM.com#define TheISA ${{namespace(target_isa)}}
4017673Snate@binkert.org#define THE_ISA_STR "${{target_isa}}"
4027673Snate@binkert.org
4037673Snate@binkert.org#endif // __CONFIG_THE_ISA_HH__''')
4047673Snate@binkert.org
4056658Snate@binkert.org    code.write(str(target[0]))
4067756SAli.Saidi@ARM.com
4077816Ssteve.reinhardt@amd.comenv.Command('config/the_isa.hh', map(Value, all_isa_list),
4086658Snate@binkert.org            MakeAction(makeTheISA, Transform("CFG ISA", 0)))
40911308Santhony.gutierrez@amd.com
41011308Santhony.gutierrez@amd.com########################################################################
41111308Santhony.gutierrez@amd.com#
41211308Santhony.gutierrez@amd.com# Prevent any SimObjects from being added after this point, they
41311308Santhony.gutierrez@amd.com# should all have been added in the SConscripts above
41411308Santhony.gutierrez@amd.com#
41511308Santhony.gutierrez@amd.comSimObject.fixed = True
41611308Santhony.gutierrez@amd.com
41711308Santhony.gutierrez@amd.comclass DictImporter(object):
41811308Santhony.gutierrez@amd.com    '''This importer takes a dictionary of arbitrary module names that
41911308Santhony.gutierrez@amd.com    map to arbitrary filenames.'''
42011308Santhony.gutierrez@amd.com    def __init__(self, modules):
42111308Santhony.gutierrez@amd.com        self.modules = modules
42211308Santhony.gutierrez@amd.com        self.installed = set()
42311308Santhony.gutierrez@amd.com
42411308Santhony.gutierrez@amd.com    def __del__(self):
42511308Santhony.gutierrez@amd.com        self.unload()
42611308Santhony.gutierrez@amd.com
42711308Santhony.gutierrez@amd.com    def unload(self):
42811308Santhony.gutierrez@amd.com        import sys
42911308Santhony.gutierrez@amd.com        for module in self.installed:
43011308Santhony.gutierrez@amd.com            del sys.modules[module]
43111308Santhony.gutierrez@amd.com        self.installed = set()
43211308Santhony.gutierrez@amd.com
43311308Santhony.gutierrez@amd.com    def find_module(self, fullname, path):
43411308Santhony.gutierrez@amd.com        if fullname == 'm5.defines':
43511308Santhony.gutierrez@amd.com            return self
43611308Santhony.gutierrez@amd.com
43711308Santhony.gutierrez@amd.com        if fullname == 'm5.objects':
43811308Santhony.gutierrez@amd.com            return self
43911308Santhony.gutierrez@amd.com
44011308Santhony.gutierrez@amd.com        if fullname.startswith('m5.internal'):
44111308Santhony.gutierrez@amd.com            return None
44211308Santhony.gutierrez@amd.com
44311308Santhony.gutierrez@amd.com        source = self.modules.get(fullname, None)
44411308Santhony.gutierrez@amd.com        if source is not None and fullname.startswith('m5.objects'):
44511308Santhony.gutierrez@amd.com            return self
44611308Santhony.gutierrez@amd.com
44711308Santhony.gutierrez@amd.com        return None
44811308Santhony.gutierrez@amd.com
44911308Santhony.gutierrez@amd.com    def load_module(self, fullname):
45011308Santhony.gutierrez@amd.com        mod = imp.new_module(fullname)
45111308Santhony.gutierrez@amd.com        sys.modules[fullname] = mod
45211308Santhony.gutierrez@amd.com        self.installed.add(fullname)
45311308Santhony.gutierrez@amd.com
4544382Sbinkertn@umich.edu        mod.__loader__ = self
4554382Sbinkertn@umich.edu        if fullname == 'm5.objects':
4564762Snate@binkert.org            mod.__path__ = fullname.split('.')
4574762Snate@binkert.org            return mod
4584762Snate@binkert.org
4596654Snate@binkert.org        if fullname == 'm5.defines':
4606654Snate@binkert.org            mod.__dict__['buildEnv'] = m5.util.SmartDict(build_env)
4615517Snate@binkert.org            return mod
4625517Snate@binkert.org
4635517Snate@binkert.org        source = self.modules[fullname]
4645517Snate@binkert.org        if source.modname == '__init__':
4655517Snate@binkert.org            mod.__path__ = source.modpath
4665517Snate@binkert.org        mod.__file__ = source.abspath
4675517Snate@binkert.org
4685517Snate@binkert.org        exec file(source.abspath, 'r') in mod.__dict__
4695517Snate@binkert.org
4705517Snate@binkert.org        return mod
4715517Snate@binkert.org
4725517Snate@binkert.orgimport m5.SimObject
4735517Snate@binkert.orgimport m5.params
4745517Snate@binkert.orgfrom m5.util import code_formatter
4755517Snate@binkert.org
4765517Snate@binkert.orgm5.SimObject.clear()
4775517Snate@binkert.orgm5.params.clear()
4786654Snate@binkert.org
4795517Snate@binkert.org# install the python importer so we can grab stuff from the source
4805517Snate@binkert.org# tree itself.  We can't have SimObjects added after this point or
4815517Snate@binkert.org# else we won't know about them for the rest of the stuff.
4825517Snate@binkert.orgimporter = DictImporter(PySource.modules)
4835517Snate@binkert.orgsys.meta_path[0:0] = [ importer ]
48411802Sandreas.sandberg@arm.com
4855517Snate@binkert.org# import all sim objects so we can populate the all_objects list
4865517Snate@binkert.org# make sure that we're working with a list, then let's sort it
4876143Snate@binkert.orgfor modname in SimObject.modnames:
4886654Snate@binkert.org    exec('from m5.objects import %s' % modname)
4895517Snate@binkert.org
4905517Snate@binkert.org# we need to unload all of the currently imported modules so that they
4915517Snate@binkert.org# will be re-imported the next time the sconscript is run
4925517Snate@binkert.orgimporter.unload()
4935517Snate@binkert.orgsys.meta_path.remove(importer)
4945517Snate@binkert.org
4955517Snate@binkert.orgsim_objects = m5.SimObject.allClasses
4965517Snate@binkert.orgall_enums = m5.params.allEnums
4975517Snate@binkert.org
4985517Snate@binkert.orgif m5.SimObject.noCxxHeader:
4995517Snate@binkert.org    print >> sys.stderr, \
5005517Snate@binkert.org        "warning: At least one SimObject lacks a header specification. " \
5015517Snate@binkert.org        "This can cause unexpected results in the generated SWIG " \
5025517Snate@binkert.org        "wrappers."
5036654Snate@binkert.org
5046654Snate@binkert.org# Find param types that need to be explicitly wrapped with swig.
5055517Snate@binkert.org# These will be recognized because the ParamDesc will have a
5065517Snate@binkert.org# swig_decl() method.  Most param types are based on types that don't
5076143Snate@binkert.org# need this, either because they're based on native types (like Int)
5086143Snate@binkert.org# or because they're SimObjects (which get swigged independently).
5096143Snate@binkert.org# For now the only things handled here are VectorParam types.
5106727Ssteve.reinhardt@amd.comparams_to_swig = {}
5115517Snate@binkert.orgfor name,obj in sorted(sim_objects.iteritems()):
5126727Ssteve.reinhardt@amd.com    for param in obj._params.local.values():
5135517Snate@binkert.org        # load the ptype attribute now because it depends on the
5145517Snate@binkert.org        # current version of SimObject.allClasses, but when scons
5155517Snate@binkert.org        # actually uses the value, all versions of
5166654Snate@binkert.org        # SimObject.allClasses will have been loaded
5176654Snate@binkert.org        param.ptype
5187673Snate@binkert.org
5196654Snate@binkert.org        if not hasattr(param, 'swig_decl'):
5206654Snate@binkert.org            continue
5216654Snate@binkert.org        pname = param.ptype_str
5226654Snate@binkert.org        if pname not in params_to_swig:
5235517Snate@binkert.org            params_to_swig[pname] = param
5245517Snate@binkert.org
5255517Snate@binkert.org########################################################################
5266143Snate@binkert.org#
5275517Snate@binkert.org# calculate extra dependencies
5284762Snate@binkert.org#
5295517Snate@binkert.orgmodule_depends = ["m5", "m5.SimObject", "m5.params"]
5305517Snate@binkert.orgdepends = [ PySource.modules[dep].snode for dep in module_depends ]
5316143Snate@binkert.orgdepends.sort(key = lambda x: x.name)
5326143Snate@binkert.org
5335517Snate@binkert.org########################################################################
5345517Snate@binkert.org#
5355517Snate@binkert.org# Commands for the basic automatically generated python files
5365517Snate@binkert.org#
5375517Snate@binkert.org
5385517Snate@binkert.org# Generate Python file containing a dict specifying the current
5395517Snate@binkert.org# buildEnv flags.
5405517Snate@binkert.orgdef makeDefinesPyFile(target, source, env):
5415517Snate@binkert.org    build_env = source[0].get_contents()
5426143Snate@binkert.org
5435517Snate@binkert.org    code = code_formatter()
5446654Snate@binkert.org    code("""
5456654Snate@binkert.orgimport m5.internal
5466654Snate@binkert.orgimport m5.util
5476654Snate@binkert.org
5486654Snate@binkert.orgbuildEnv = m5.util.SmartDict($build_env)
5496654Snate@binkert.org
5504762Snate@binkert.orgcompileDate = m5.internal.core.compileDate
5514762Snate@binkert.org_globals = globals()
5524762Snate@binkert.orgfor key,val in m5.internal.core.__dict__.iteritems():
5534762Snate@binkert.org    if key.startswith('flag_'):
5544762Snate@binkert.org        flag = key[5:]
5557675Snate@binkert.org        _globals[flag] = val
55610584Sandreas.hansson@arm.comdel _globals
5574762Snate@binkert.org""")
5584762Snate@binkert.org    code.write(target[0].abspath)
5594762Snate@binkert.org
5604762Snate@binkert.orgdefines_info = Value(build_env)
5614382Sbinkertn@umich.edu# Generate a file with all of the compile options in it
5624382Sbinkertn@umich.eduenv.Command('python/m5/defines.py', defines_info,
5635517Snate@binkert.org            MakeAction(makeDefinesPyFile, Transform("DEFINES", 0)))
5646654Snate@binkert.orgPySource('m5', 'python/m5/defines.py')
5655517Snate@binkert.org
5668126Sgblack@eecs.umich.edu# Generate python file containing info about the M5 source code
5676654Snate@binkert.orgdef makeInfoPyFile(target, source, env):
5687673Snate@binkert.org    code = code_formatter()
5696654Snate@binkert.org    for src in source:
57011802Sandreas.sandberg@arm.com        data = ''.join(file(src.srcnode().abspath, 'r').xreadlines())
5716654Snate@binkert.org        code('$src = ${{repr(data)}}')
5726654Snate@binkert.org    code.write(str(target[0]))
5736654Snate@binkert.org
5746654Snate@binkert.org# Generate a file that wraps the basic top level files
57511802Sandreas.sandberg@arm.comenv.Command('python/m5/info.py',
5766669Snate@binkert.org            [ '#/COPYING', '#/LICENSE', '#/README', ],
57711802Sandreas.sandberg@arm.com            MakeAction(makeInfoPyFile, Transform("INFO")))
5786669Snate@binkert.orgPySource('m5', 'python/m5/info.py')
5796669Snate@binkert.org
5806669Snate@binkert.org########################################################################
5816669Snate@binkert.org#
5826654Snate@binkert.org# Create all of the SimObject param headers and enum headers
5837673Snate@binkert.org#
5845517Snate@binkert.org
5858126Sgblack@eecs.umich.edudef createSimObjectParamStruct(target, source, env):
5865798Snate@binkert.org    assert len(target) == 1 and len(source) == 1
5877756SAli.Saidi@ARM.com
5887816Ssteve.reinhardt@amd.com    name = str(source[0].get_contents())
5895798Snate@binkert.org    obj = sim_objects[name]
5905798Snate@binkert.org
5915517Snate@binkert.org    code = code_formatter()
5925517Snate@binkert.org    obj.cxx_param_decl(code)
5937673Snate@binkert.org    code.write(target[0].abspath)
5945517Snate@binkert.org
5955517Snate@binkert.orgdef createSimObjectCxxConfig(is_header):
5967673Snate@binkert.org    def body(target, source, env):
5977673Snate@binkert.org        assert len(target) == 1 and len(source) == 1
5985517Snate@binkert.org
5995798Snate@binkert.org        name = str(source[0].get_contents())
6005798Snate@binkert.org        obj = sim_objects[name]
6018333Snate@binkert.org
6027816Ssteve.reinhardt@amd.com        code = code_formatter()
6035798Snate@binkert.org        obj.cxx_config_param_file(code, is_header)
6045798Snate@binkert.org        code.write(target[0].abspath)
6054762Snate@binkert.org    return body
6064762Snate@binkert.org
6074762Snate@binkert.orgdef createParamSwigWrapper(target, source, env):
6084762Snate@binkert.org    assert len(target) == 1 and len(source) == 1
6094762Snate@binkert.org
6108596Ssteve.reinhardt@amd.com    name = str(source[0].get_contents())
6115517Snate@binkert.org    param = params_to_swig[name]
6125517Snate@binkert.org
61311997Sgabeblack@google.com    code = code_formatter()
6145517Snate@binkert.org    param.swig_decl(code)
6155517Snate@binkert.org    code.write(target[0].abspath)
6167673Snate@binkert.org
6178596Ssteve.reinhardt@amd.comdef createEnumStrings(target, source, env):
6187673Snate@binkert.org    assert len(target) == 1 and len(source) == 1
6195517Snate@binkert.org
62010458Sandreas.hansson@arm.com    name = str(source[0].get_contents())
62110458Sandreas.hansson@arm.com    obj = all_enums[name]
62210458Sandreas.hansson@arm.com
62310458Sandreas.hansson@arm.com    code = code_formatter()
62410458Sandreas.hansson@arm.com    obj.cxx_def(code)
62510458Sandreas.hansson@arm.com    code.write(target[0].abspath)
62610458Sandreas.hansson@arm.com
62710458Sandreas.hansson@arm.comdef createEnumDecls(target, source, env):
62810458Sandreas.hansson@arm.com    assert len(target) == 1 and len(source) == 1
62910458Sandreas.hansson@arm.com
63010458Sandreas.hansson@arm.com    name = str(source[0].get_contents())
63110458Sandreas.hansson@arm.com    obj = all_enums[name]
6325517Snate@binkert.org
63311996Sgabeblack@google.com    code = code_formatter()
6345517Snate@binkert.org    obj.cxx_decl(code)
63511997Sgabeblack@google.com    code.write(target[0].abspath)
63611996Sgabeblack@google.com
6375517Snate@binkert.orgdef createEnumSwigWrapper(target, source, env):
6385517Snate@binkert.org    assert len(target) == 1 and len(source) == 1
6397673Snate@binkert.org
6407673Snate@binkert.org    name = str(source[0].get_contents())
64111996Sgabeblack@google.com    obj = all_enums[name]
64211988Sandreas.sandberg@arm.com
6437673Snate@binkert.org    code = code_formatter()
6445517Snate@binkert.org    obj.swig_decl(code)
6458596Ssteve.reinhardt@amd.com    code.write(target[0].abspath)
6465517Snate@binkert.org
6475517Snate@binkert.orgdef createSimObjectSwigWrapper(target, source, env):
64811997Sgabeblack@google.com    name = source[0].get_contents()
6495517Snate@binkert.org    obj = sim_objects[name]
6505517Snate@binkert.org
6517673Snate@binkert.org    code = code_formatter()
6527673Snate@binkert.org    obj.swig_decl(code)
6537673Snate@binkert.org    code.write(target[0].abspath)
6545517Snate@binkert.org
65511988Sandreas.sandberg@arm.com# dummy target for generated code
65611997Sgabeblack@google.com# we start out with all the Source files so they get copied to build/*/ also.
6578596Ssteve.reinhardt@amd.comSWIG = env.Dummy('swig', [s.tnode for s in Source.get()])
6588596Ssteve.reinhardt@amd.com
6598596Ssteve.reinhardt@amd.com# Generate all of the SimObject param C++ struct header files
66011988Sandreas.sandberg@arm.comparams_hh_files = []
6618596Ssteve.reinhardt@amd.comfor name,simobj in sorted(sim_objects.iteritems()):
6628596Ssteve.reinhardt@amd.com    py_source = PySource.modules[simobj.__module__]
6638596Ssteve.reinhardt@amd.com    extra_deps = [ py_source.tnode ]
6644762Snate@binkert.org
6656143Snate@binkert.org    hh_file = File('params/%s.hh' % name)
6666143Snate@binkert.org    params_hh_files.append(hh_file)
6676143Snate@binkert.org    env.Command(hh_file, Value(name),
6684762Snate@binkert.org                MakeAction(createSimObjectParamStruct, Transform("SO PARAM")))
6694762Snate@binkert.org    env.Depends(hh_file, depends + extra_deps)
6704762Snate@binkert.org    env.Depends(SWIG, hh_file)
6717756SAli.Saidi@ARM.com
6728596Ssteve.reinhardt@amd.com# C++ parameter description files
6734762Snate@binkert.orgif GetOption('with_cxx_config'):
6744762Snate@binkert.org    for name,simobj in sorted(sim_objects.iteritems()):
67510458Sandreas.hansson@arm.com        py_source = PySource.modules[simobj.__module__]
67610458Sandreas.hansson@arm.com        extra_deps = [ py_source.tnode ]
67710458Sandreas.hansson@arm.com
67810458Sandreas.hansson@arm.com        cxx_config_hh_file = File('cxx_config/%s.hh' % name)
67910458Sandreas.hansson@arm.com        cxx_config_cc_file = File('cxx_config/%s.cc' % name)
68010458Sandreas.hansson@arm.com        env.Command(cxx_config_hh_file, Value(name),
68110458Sandreas.hansson@arm.com                    MakeAction(createSimObjectCxxConfig(True),
68210458Sandreas.hansson@arm.com                    Transform("CXXCPRHH")))
68310458Sandreas.hansson@arm.com        env.Command(cxx_config_cc_file, Value(name),
68410458Sandreas.hansson@arm.com                    MakeAction(createSimObjectCxxConfig(False),
68510458Sandreas.hansson@arm.com                    Transform("CXXCPRCC")))
68610458Sandreas.hansson@arm.com        env.Depends(cxx_config_hh_file, depends + extra_deps +
68710458Sandreas.hansson@arm.com                    [File('params/%s.hh' % name), File('sim/cxx_config.hh')])
68810458Sandreas.hansson@arm.com        env.Depends(cxx_config_cc_file, depends + extra_deps +
68910458Sandreas.hansson@arm.com                    [cxx_config_hh_file])
69010458Sandreas.hansson@arm.com        Source(cxx_config_cc_file)
69110458Sandreas.hansson@arm.com
69210458Sandreas.hansson@arm.com    cxx_config_init_cc_file = File('cxx_config/init.cc')
69310458Sandreas.hansson@arm.com
69410458Sandreas.hansson@arm.com    def createCxxConfigInitCC(target, source, env):
69510458Sandreas.hansson@arm.com        assert len(target) == 1 and len(source) == 1
69610458Sandreas.hansson@arm.com
69710458Sandreas.hansson@arm.com        code = code_formatter()
69810458Sandreas.hansson@arm.com
69910458Sandreas.hansson@arm.com        for name,simobj in sorted(sim_objects.iteritems()):
70010458Sandreas.hansson@arm.com            if not hasattr(simobj, 'abstract') or not simobj.abstract:
70110458Sandreas.hansson@arm.com                code('#include "cxx_config/${name}.hh"')
70210458Sandreas.hansson@arm.com        code()
70310458Sandreas.hansson@arm.com        code('void cxxConfigInit()')
70410458Sandreas.hansson@arm.com        code('{')
70510458Sandreas.hansson@arm.com        code.indent()
70610458Sandreas.hansson@arm.com        for name,simobj in sorted(sim_objects.iteritems()):
70710458Sandreas.hansson@arm.com            not_abstract = not hasattr(simobj, 'abstract') or \
70810458Sandreas.hansson@arm.com                not simobj.abstract
70910458Sandreas.hansson@arm.com            if not_abstract and 'type' in simobj.__dict__:
71010458Sandreas.hansson@arm.com                code('cxx_config_directory["${name}"] = '
71110458Sandreas.hansson@arm.com                     '${name}CxxConfigParams::makeDirectoryEntry();')
71210458Sandreas.hansson@arm.com        code.dedent()
71310458Sandreas.hansson@arm.com        code('}')
71410458Sandreas.hansson@arm.com        code.write(target[0].abspath)
71510458Sandreas.hansson@arm.com
71610458Sandreas.hansson@arm.com    py_source = PySource.modules[simobj.__module__]
71710458Sandreas.hansson@arm.com    extra_deps = [ py_source.tnode ]
71810458Sandreas.hansson@arm.com    env.Command(cxx_config_init_cc_file, Value(name),
71910458Sandreas.hansson@arm.com        MakeAction(createCxxConfigInitCC, Transform("CXXCINIT")))
72010458Sandreas.hansson@arm.com    cxx_param_hh_files = ["cxx_config/%s.hh" % simobj
72110458Sandreas.hansson@arm.com        for name,simobj in sorted(sim_objects.iteritems())
72210458Sandreas.hansson@arm.com        if not hasattr(simobj, 'abstract') or not simobj.abstract]
72310458Sandreas.hansson@arm.com    Depends(cxx_config_init_cc_file, cxx_param_hh_files +
72410584Sandreas.hansson@arm.com            [File('sim/cxx_config.hh')])
72510458Sandreas.hansson@arm.com    Source(cxx_config_init_cc_file)
72610458Sandreas.hansson@arm.com
72710458Sandreas.hansson@arm.com# Generate any needed param SWIG wrapper files
72810458Sandreas.hansson@arm.comparams_i_files = []
72910458Sandreas.hansson@arm.comfor name,param in sorted(params_to_swig.iteritems()):
7304762Snate@binkert.org    i_file = File('python/m5/internal/%s.i' % (param.swig_module_name()))
7316143Snate@binkert.org    params_i_files.append(i_file)
7326143Snate@binkert.org    env.Command(i_file, Value(name),
7336143Snate@binkert.org                MakeAction(createParamSwigWrapper, Transform("SW PARAM")))
7344762Snate@binkert.org    env.Depends(i_file, depends)
7354762Snate@binkert.org    env.Depends(SWIG, i_file)
73611996Sgabeblack@google.com    SwigSource('m5.internal', i_file)
7377816Ssteve.reinhardt@amd.com
7384762Snate@binkert.org# Generate all enum header files
7394762Snate@binkert.orgfor name,enum in sorted(all_enums.iteritems()):
7404762Snate@binkert.org    py_source = PySource.modules[enum.__module__]
7414762Snate@binkert.org    extra_deps = [ py_source.tnode ]
7427756SAli.Saidi@ARM.com
7438596Ssteve.reinhardt@amd.com    cc_file = File('enums/%s.cc' % name)
7444762Snate@binkert.org    env.Command(cc_file, Value(name),
7454762Snate@binkert.org                MakeAction(createEnumStrings, Transform("ENUM STR")))
74611988Sandreas.sandberg@arm.com    env.Depends(cc_file, depends + extra_deps)
74711988Sandreas.sandberg@arm.com    env.Depends(SWIG, cc_file)
74811988Sandreas.sandberg@arm.com    Source(cc_file)
74911988Sandreas.sandberg@arm.com
75011988Sandreas.sandberg@arm.com    hh_file = File('enums/%s.hh' % name)
75111988Sandreas.sandberg@arm.com    env.Command(hh_file, Value(name),
75211988Sandreas.sandberg@arm.com                MakeAction(createEnumDecls, Transform("ENUMDECL")))
75311988Sandreas.sandberg@arm.com    env.Depends(hh_file, depends + extra_deps)
75411988Sandreas.sandberg@arm.com    env.Depends(SWIG, hh_file)
75511988Sandreas.sandberg@arm.com
75611988Sandreas.sandberg@arm.com    i_file = File('python/m5/internal/enum_%s.i' % name)
7574382Sbinkertn@umich.edu    env.Command(i_file, Value(name),
7589396Sandreas.hansson@arm.com                MakeAction(createEnumSwigWrapper, Transform("ENUMSWIG")))
7599396Sandreas.hansson@arm.com    env.Depends(i_file, depends + extra_deps)
7609396Sandreas.hansson@arm.com    env.Depends(SWIG, i_file)
7619396Sandreas.hansson@arm.com    SwigSource('m5.internal', i_file)
7629396Sandreas.hansson@arm.com
7639396Sandreas.hansson@arm.com# Generate SimObject SWIG wrapper files
7649396Sandreas.hansson@arm.comfor name,simobj in sorted(sim_objects.iteritems()):
7659396Sandreas.hansson@arm.com    py_source = PySource.modules[simobj.__module__]
7669396Sandreas.hansson@arm.com    extra_deps = [ py_source.tnode ]
7679396Sandreas.hansson@arm.com    i_file = File('python/m5/internal/param_%s.i' % name)
7689396Sandreas.hansson@arm.com    env.Command(i_file, Value(name),
7699396Sandreas.hansson@arm.com                MakeAction(createSimObjectSwigWrapper, Transform("SO SWIG")))
7709396Sandreas.hansson@arm.com    env.Depends(i_file, depends + extra_deps)
7719396Sandreas.hansson@arm.com    SwigSource('m5.internal', i_file)
7729396Sandreas.hansson@arm.com
7739396Sandreas.hansson@arm.com# Generate the main swig init file
7749396Sandreas.hansson@arm.comdef makeEmbeddedSwigInit(target, source, env):
7759396Sandreas.hansson@arm.com    code = code_formatter()
7768232Snate@binkert.org    module = source[0].get_contents()
7778232Snate@binkert.org    code('''\
7788232Snate@binkert.org#include "sim/init.hh"
7798232Snate@binkert.org
7808232Snate@binkert.orgextern "C" {
7816229Snate@binkert.org    void init_${module}();
78210455SCurtis.Dunham@arm.com}
7836229Snate@binkert.org
78410455SCurtis.Dunham@arm.comEmbeddedSwig embed_swig_${module}(init_${module});
78510455SCurtis.Dunham@arm.com''')
78610455SCurtis.Dunham@arm.com    code.write(str(target[0]))
7875517Snate@binkert.org    
7885517Snate@binkert.org# Build all swig modules
7897673Snate@binkert.orgfor swig in SwigSource.all:
7905517Snate@binkert.org    env.Command([swig.cc_source.tnode, swig.py_source.tnode], swig.tnode,
79110455SCurtis.Dunham@arm.com                MakeAction('$SWIG $SWIGFLAGS -outdir ${TARGETS[1].dir} '
7925517Snate@binkert.org                '-o ${TARGETS[0]} $SOURCES', Transform("SWIG")))
7935517Snate@binkert.org    cc_file = str(swig.tnode)
7948232Snate@binkert.org    init_file = '%s/%s_init.cc' % (dirname(cc_file), basename(cc_file))
79510455SCurtis.Dunham@arm.com    env.Command(init_file, Value(swig.module),
79610455SCurtis.Dunham@arm.com                MakeAction(makeEmbeddedSwigInit, Transform("EMBED SW")))
79710455SCurtis.Dunham@arm.com    env.Depends(SWIG, init_file)
7987673Snate@binkert.org    Source(init_file, **swig.guards)
7997673Snate@binkert.org
80010455SCurtis.Dunham@arm.com# Build all protocol buffers if we have got protoc and protobuf available
80110455SCurtis.Dunham@arm.comif env['HAVE_PROTOBUF']:
80210455SCurtis.Dunham@arm.com    for proto in ProtoBuf.all:
8035517Snate@binkert.org        # Use both the source and header as the target, and the .proto
80410455SCurtis.Dunham@arm.com        # file as the source. When executing the protoc compiler, also
80510455SCurtis.Dunham@arm.com        # specify the proto_path to avoid having the generated files
80610455SCurtis.Dunham@arm.com        # include the path.
80710455SCurtis.Dunham@arm.com        env.Command([proto.cc_file, proto.hh_file], proto.tnode,
80810455SCurtis.Dunham@arm.com                    MakeAction('$PROTOC --cpp_out ${TARGET.dir} '
80910455SCurtis.Dunham@arm.com                               '--proto_path ${SOURCE.dir} $SOURCE',
81010455SCurtis.Dunham@arm.com                               Transform("PROTOC")))
81110455SCurtis.Dunham@arm.com
81210685Sandreas.hansson@arm.com        env.Depends(SWIG, [proto.cc_file, proto.hh_file])
81310455SCurtis.Dunham@arm.com        # Add the C++ source file
81410685Sandreas.hansson@arm.com        Source(proto.cc_file, **proto.guards)
81510455SCurtis.Dunham@arm.comelif ProtoBuf.all:
8165517Snate@binkert.org    print 'Got protobuf to build, but lacks support!'
81710455SCurtis.Dunham@arm.com    Exit(1)
8188232Snate@binkert.org
8198232Snate@binkert.org#
8205517Snate@binkert.org# Handle debug flags
8217673Snate@binkert.org#
8225517Snate@binkert.orgdef makeDebugFlagCC(target, source, env):
8238232Snate@binkert.org    assert(len(target) == 1 and len(source) == 1)
8248232Snate@binkert.org
8255517Snate@binkert.org    code = code_formatter()
8268232Snate@binkert.org
8278232Snate@binkert.org    # delay definition of CompoundFlags until after all the definition
8288232Snate@binkert.org    # of all constituent SimpleFlags
8297673Snate@binkert.org    comp_code = code_formatter()
8305517Snate@binkert.org
8315517Snate@binkert.org    # file header
8327673Snate@binkert.org    code('''
8335517Snate@binkert.org/*
83410455SCurtis.Dunham@arm.com * DO NOT EDIT THIS FILE! Automatically generated by SCons.
8355517Snate@binkert.org */
8365517Snate@binkert.org
8378232Snate@binkert.org#include "base/debug.hh"
8388232Snate@binkert.org
8395517Snate@binkert.orgnamespace Debug {
8408232Snate@binkert.org
8418232Snate@binkert.org''')
8425517Snate@binkert.org
8438232Snate@binkert.org    for name, flag in sorted(source[0].read().iteritems()):
8448232Snate@binkert.org        n, compound, desc = flag
8458232Snate@binkert.org        assert n == name
8465517Snate@binkert.org
8478232Snate@binkert.org        if not compound:
8488232Snate@binkert.org            code('SimpleFlag $name("$name", "$desc");')
8498232Snate@binkert.org        else:
8508232Snate@binkert.org            comp_code('CompoundFlag $name("$name", "$desc",')
8518232Snate@binkert.org            comp_code.indent()
8528232Snate@binkert.org            last = len(compound) - 1
8535517Snate@binkert.org            for i,flag in enumerate(compound):
8548232Snate@binkert.org                if i != last:
8558232Snate@binkert.org                    comp_code('&$flag,')
8565517Snate@binkert.org                else:
8578232Snate@binkert.org                    comp_code('&$flag);')
8587673Snate@binkert.org            comp_code.dedent()
8595517Snate@binkert.org
8607673Snate@binkert.org    code.append(comp_code)
8615517Snate@binkert.org    code()
8628232Snate@binkert.org    code('} // namespace Debug')
8638232Snate@binkert.org
8648232Snate@binkert.org    code.write(str(target[0]))
8655192Ssaidi@eecs.umich.edu
86610454SCurtis.Dunham@arm.comdef makeDebugFlagHH(target, source, env):
86710454SCurtis.Dunham@arm.com    assert(len(target) == 1 and len(source) == 1)
8688232Snate@binkert.org
86910455SCurtis.Dunham@arm.com    val = eval(source[0].get_contents())
87010455SCurtis.Dunham@arm.com    name, compound, desc = val
87110455SCurtis.Dunham@arm.com
87210455SCurtis.Dunham@arm.com    code = code_formatter()
8735192Ssaidi@eecs.umich.edu
87411077SCurtis.Dunham@arm.com    # file header boilerplate
87511330SCurtis.Dunham@arm.com    code('''\
87611077SCurtis.Dunham@arm.com/*
87711077SCurtis.Dunham@arm.com * DO NOT EDIT THIS FILE! Automatically generated by SCons.
87811077SCurtis.Dunham@arm.com */
87911330SCurtis.Dunham@arm.com
88011077SCurtis.Dunham@arm.com#ifndef __DEBUG_${name}_HH__
8817674Snate@binkert.org#define __DEBUG_${name}_HH__
8825522Snate@binkert.org
8835522Snate@binkert.orgnamespace Debug {
8847674Snate@binkert.org''')
8857674Snate@binkert.org
8867674Snate@binkert.org    if compound:
8877674Snate@binkert.org        code('class CompoundFlag;')
8887674Snate@binkert.org    code('class SimpleFlag;')
8897674Snate@binkert.org
8907674Snate@binkert.org    if compound:
8917674Snate@binkert.org        code('extern CompoundFlag $name;')
8925522Snate@binkert.org        for flag in compound:
8935522Snate@binkert.org            code('extern SimpleFlag $flag;')
8945522Snate@binkert.org    else:
8955517Snate@binkert.org        code('extern SimpleFlag $name;')
8965522Snate@binkert.org
8975517Snate@binkert.org    code('''
8986143Snate@binkert.org}
8996727Ssteve.reinhardt@amd.com
9005522Snate@binkert.org#endif // __DEBUG_${name}_HH__
9015522Snate@binkert.org''')
9025522Snate@binkert.org
9037674Snate@binkert.org    code.write(str(target[0]))
9045517Snate@binkert.org
9057673Snate@binkert.orgfor name,flag in sorted(debug_flags.iteritems()):
9067673Snate@binkert.org    n, compound, desc = flag
9077674Snate@binkert.org    assert n == name
9087673Snate@binkert.org
9097674Snate@binkert.org    hh_file = 'debug/%s.hh' % name
9107674Snate@binkert.org    env.Command(hh_file, Value(flag),
9118946Sandreas.hansson@arm.com                MakeAction(makeDebugFlagHH, Transform("TRACING", 0)))
9127674Snate@binkert.org    env.Depends(SWIG, hh_file)
9137674Snate@binkert.org
9147674Snate@binkert.orgenv.Command('debug/flags.cc', Value(debug_flags),
9155522Snate@binkert.org            MakeAction(makeDebugFlagCC, Transform("TRACING", 0)))
9165522Snate@binkert.orgenv.Depends(SWIG, 'debug/flags.cc')
9177674Snate@binkert.orgSource('debug/flags.cc')
9187674Snate@binkert.org
91911308Santhony.gutierrez@amd.com# Embed python files.  All .py files that have been indicated by a
9207674Snate@binkert.org# PySource() call in a SConscript need to be embedded into the M5
9217673Snate@binkert.org# library.  To do that, we compile the file to byte code, marshal the
9227674Snate@binkert.org# byte code, compress it, and then generate a c++ file that
9237674Snate@binkert.org# inserts the result into an array.
9247674Snate@binkert.orgdef embedPyFile(target, source, env):
9257674Snate@binkert.org    def c_str(string):
9267674Snate@binkert.org        if string is None:
9277674Snate@binkert.org            return "0"
9287674Snate@binkert.org        return '"%s"' % string
9297674Snate@binkert.org
9307811Ssteve.reinhardt@amd.com    '''Action function to compile a .py into a code object, marshal
9317674Snate@binkert.org    it, compress it, and stick it into an asm file so the code appears
9327673Snate@binkert.org    as just bytes with a label in the data section'''
9335522Snate@binkert.org
9346143Snate@binkert.org    src = file(str(source[0]), 'r').read()
93510453SAndrew.Bardsley@arm.com
9367816Ssteve.reinhardt@amd.com    pysource = PySource.tnodes[source[0]]
93710453SAndrew.Bardsley@arm.com    compiled = compile(src, pysource.abspath, 'exec')
9384382Sbinkertn@umich.edu    marshalled = marshal.dumps(compiled)
9394382Sbinkertn@umich.edu    compressed = zlib.compress(marshalled)
9404382Sbinkertn@umich.edu    data = compressed
9414382Sbinkertn@umich.edu    sym = pysource.symname
9424382Sbinkertn@umich.edu
9434382Sbinkertn@umich.edu    code = code_formatter()
9444382Sbinkertn@umich.edu    code('''\
9454382Sbinkertn@umich.edu#include "sim/init.hh"
94610196SCurtis.Dunham@arm.com
9474382Sbinkertn@umich.edunamespace {
94810196SCurtis.Dunham@arm.com
94910196SCurtis.Dunham@arm.comconst uint8_t data_${sym}[] = {
95010196SCurtis.Dunham@arm.com''')
95110196SCurtis.Dunham@arm.com    code.indent()
95210196SCurtis.Dunham@arm.com    step = 16
95310196SCurtis.Dunham@arm.com    for i in xrange(0, len(data), step):
95410196SCurtis.Dunham@arm.com        x = array.array('B', data[i:i+step])
955955SN/A        code(''.join('%d,' % d for d in x))
9562655Sstever@eecs.umich.edu    code.dedent()
9572655Sstever@eecs.umich.edu    
9582655Sstever@eecs.umich.edu    code('''};
9592655Sstever@eecs.umich.edu
96010196SCurtis.Dunham@arm.comEmbeddedPython embedded_${sym}(
9615601Snate@binkert.org    ${{c_str(pysource.arcname)}},
9625601Snate@binkert.org    ${{c_str(pysource.abspath)}},
96310196SCurtis.Dunham@arm.com    ${{c_str(pysource.modpath)}},
96410196SCurtis.Dunham@arm.com    data_${sym},
96510196SCurtis.Dunham@arm.com    ${{len(data)}},
9665522Snate@binkert.org    ${{len(marshalled)}});
9675863Snate@binkert.org
9685601Snate@binkert.org} // anonymous namespace
9695601Snate@binkert.org''')
9705601Snate@binkert.org    code.write(str(target[0]))
9715559Snate@binkert.org
97211718Sjoseph.gross@amd.comfor source in PySource.all:
97311718Sjoseph.gross@amd.com    env.Command(source.cpp, source.tnode,
97411718Sjoseph.gross@amd.com                MakeAction(embedPyFile, Transform("EMBED PY")))
97511718Sjoseph.gross@amd.com    env.Depends(SWIG, source.cpp)
97611718Sjoseph.gross@amd.com    Source(source.cpp, skip_no_python=True)
97711718Sjoseph.gross@amd.com
97811718Sjoseph.gross@amd.com########################################################################
97911718Sjoseph.gross@amd.com#
98011718Sjoseph.gross@amd.com# Define binaries.  Each different build type (debug, opt, etc.) gets
98111718Sjoseph.gross@amd.com# a slightly different build environment.
98211718Sjoseph.gross@amd.com#
98310457Sandreas.hansson@arm.com
98410457Sandreas.hansson@arm.com# List of constructed environments to pass back to SConstruct
98510457Sandreas.hansson@arm.comdate_source = Source('base/date.cc', skip_lib=True)
98611718Sjoseph.gross@amd.com
98710457Sandreas.hansson@arm.com# Capture this directory for the closure makeEnv, otherwise when it is
98810457Sandreas.hansson@arm.com# called, it won't know what directory it should use.
98910457Sandreas.hansson@arm.comvariant_dir = Dir('.').path
99010457Sandreas.hansson@arm.comdef variant(*path):
99111342Sandreas.hansson@arm.com    return os.path.join(variant_dir, *path)
9928737Skoansin.tan@gmail.comdef variantd(*path):
99311342Sandreas.hansson@arm.com    return variant(*path)+'/'
99411342Sandreas.hansson@arm.com
99510457Sandreas.hansson@arm.com# Function to create a new build environment as clone of current
99611718Sjoseph.gross@amd.com# environment 'env' with modified object suffix and optional stripped
99711718Sjoseph.gross@amd.com# binary.  Additional keyword arguments are appended to corresponding
99811718Sjoseph.gross@amd.com# build environment vars.
99911718Sjoseph.gross@amd.comdef makeEnv(env, label, objsfx, strip = False, **kwargs):
100011718Sjoseph.gross@amd.com    # SCons doesn't know to append a library suffix when there is a '.' in the
100111718Sjoseph.gross@amd.com    # name.  Use '_' instead.
100211718Sjoseph.gross@amd.com    libname = variant('gem5_' + label)
100310457Sandreas.hansson@arm.com    exename = variant('gem5.' + label)
100411718Sjoseph.gross@amd.com    secondary_exename = variant('m5.' + label)
100511500Sandreas.hansson@arm.com
100611500Sandreas.hansson@arm.com    new_env = env.Clone(OBJSUFFIX=objsfx, SHOBJSUFFIX=objsfx + 's')
100711342Sandreas.hansson@arm.com    new_env.Label = label
100811342Sandreas.hansson@arm.com    new_env.Append(**kwargs)
10098945Ssteve.reinhardt@amd.com
101010686SAndreas.Sandberg@ARM.com    swig_env = new_env.Clone()
101110686SAndreas.Sandberg@ARM.com
101210686SAndreas.Sandberg@ARM.com    # Both gcc and clang have issues with unused labels and values in
101310686SAndreas.Sandberg@ARM.com    # the SWIG generated code
101410686SAndreas.Sandberg@ARM.com    swig_env.Append(CCFLAGS=['-Wno-unused-label', '-Wno-unused-value'])
101510686SAndreas.Sandberg@ARM.com
10168945Ssteve.reinhardt@amd.com    # Add additional warnings here that should not be applied to
10176143Snate@binkert.org    # the SWIG generated code
10186143Snate@binkert.org    new_env.Append(CXXFLAGS='-Wmissing-declarations')
10196143Snate@binkert.org
10206143Snate@binkert.org    if env['GCC']:
10216143Snate@binkert.org        # Depending on the SWIG version, we also need to supress
102211988Sandreas.sandberg@arm.com        # warnings about uninitialized variables and missing field
10238945Ssteve.reinhardt@amd.com        # initializers.
10246143Snate@binkert.org        swig_env.Append(CCFLAGS=['-Wno-uninitialized',
10256143Snate@binkert.org                                 '-Wno-missing-field-initializers',
10266143Snate@binkert.org                                 '-Wno-unused-but-set-variable'])
10276143Snate@binkert.org
10286143Snate@binkert.org        # If gcc supports it, also warn for deletion of derived
10296143Snate@binkert.org        # classes with non-virtual desctructors. For gcc >= 4.7 we
10306143Snate@binkert.org        # also have to disable warnings about the SWIG code having
10316143Snate@binkert.org        # potentially uninitialized variables.
10326143Snate@binkert.org        if compareVersions(env['GCC_VERSION'], '4.7') >= 0:
10336143Snate@binkert.org            new_env.Append(CXXFLAGS='-Wdelete-non-virtual-dtor')
10346143Snate@binkert.org            swig_env.Append(CCFLAGS='-Wno-maybe-uninitialized')
10356143Snate@binkert.org
10366143Snate@binkert.org        # Only gcc >= 4.9 supports UBSan, so check both the version
103710453SAndrew.Bardsley@arm.com        # and the command-line option before adding the compiler and
103810453SAndrew.Bardsley@arm.com        # linker flags.
103911988Sandreas.sandberg@arm.com        if GetOption('with_ubsan') and \
104011988Sandreas.sandberg@arm.com                compareVersions(env['GCC_VERSION'], '4.9') >= 0:
104110453SAndrew.Bardsley@arm.com            new_env.Append(CCFLAGS='-fsanitize=undefined')
104210453SAndrew.Bardsley@arm.com            new_env.Append(LINKFLAGS='-fsanitize=undefined')
104310453SAndrew.Bardsley@arm.com
104411983Sgabeblack@google.com    if env['CLANG']:
104511983Sgabeblack@google.com        # Always enable the warning for deletion of derived classes
104611983Sgabeblack@google.com        # with non-virtual destructors
104711983Sgabeblack@google.com        new_env.Append(CXXFLAGS=['-Wdelete-non-virtual-dtor'])
104811983Sgabeblack@google.com
104911983Sgabeblack@google.com        swig_env.Append(CCFLAGS=[
105011983Sgabeblack@google.com                # Some versions of SWIG can return uninitialized values
105111983Sgabeblack@google.com                '-Wno-sometimes-uninitialized',
105211983Sgabeblack@google.com                # Register storage is requested in a lot of places in
105311983Sgabeblack@google.com                # SWIG-generated code.
105411983Sgabeblack@google.com                '-Wno-deprecated-register',
105511983Sgabeblack@google.com                ])
105611983Sgabeblack@google.com
105711983Sgabeblack@google.com        # All supported clang versions have support for UBSan, so if
105811983Sgabeblack@google.com        # asked to use it, append the compiler and linker flags.
105911983Sgabeblack@google.com        if GetOption('with_ubsan'):
106011983Sgabeblack@google.com            new_env.Append(CCFLAGS='-fsanitize=undefined')
106111983Sgabeblack@google.com            new_env.Append(LINKFLAGS='-fsanitize=undefined')
106211983Sgabeblack@google.com
106311983Sgabeblack@google.com    werror_env = new_env.Clone()
106411983Sgabeblack@google.com    werror_env.Append(CCFLAGS='-Werror')
106511983Sgabeblack@google.com
106611983Sgabeblack@google.com    def make_obj(source, static, extra_deps = None):
106711983Sgabeblack@google.com        '''This function adds the specified source to the correct
106811983Sgabeblack@google.com        build environment, and returns the corresponding SCons Object
106911983Sgabeblack@google.com        nodes'''
107011983Sgabeblack@google.com
107111983Sgabeblack@google.com        if source.swig:
107211983Sgabeblack@google.com            env = swig_env
107311983Sgabeblack@google.com        elif source.Werror:
107411983Sgabeblack@google.com            env = werror_env
10756143Snate@binkert.org        else:
10766143Snate@binkert.org            env = new_env
10776143Snate@binkert.org
107810453SAndrew.Bardsley@arm.com        if static:
10796143Snate@binkert.org            obj = env.StaticObject(source.tnode)
10806240Snate@binkert.org        else:
10815554Snate@binkert.org            obj = env.SharedObject(source.tnode)
10825522Snate@binkert.org
10835522Snate@binkert.org        if extra_deps:
10845797Snate@binkert.org            env.Depends(obj, extra_deps)
10855797Snate@binkert.org
10865522Snate@binkert.org        return obj
10875601Snate@binkert.org
10888233Snate@binkert.org    lib_guards = {'main': False, 'skip_lib': False}
10898233Snate@binkert.org
10908235Snate@binkert.org    # Without Python, leave out all SWIG and Python content from the
10918235Snate@binkert.org    # library builds.  The option doesn't affect gem5 built as a program
10928235Snate@binkert.org    if GetOption('without_python'):
10938235Snate@binkert.org        lib_guards['skip_no_python'] = False
10949003SAli.Saidi@ARM.com
10959003SAli.Saidi@ARM.com    static_objs = [ make_obj(s, True) for s in Source.get(**lib_guards) ]
109610196SCurtis.Dunham@arm.com    shared_objs = [ make_obj(s, False) for s in Source.get(**lib_guards) ]
109710196SCurtis.Dunham@arm.com
10988235Snate@binkert.org    static_date = make_obj(date_source, static=True, extra_deps=static_objs)
10996143Snate@binkert.org    static_objs.append(static_date)
11002655Sstever@eecs.umich.edu
11016143Snate@binkert.org    shared_date = make_obj(date_source, static=False, extra_deps=shared_objs)
11026143Snate@binkert.org    shared_objs.append(shared_date)
110311985Sgabeblack@google.com
11046143Snate@binkert.org    # First make a library of everything but main() so other programs can
11056143Snate@binkert.org    # link against m5.
11064007Ssaidi@eecs.umich.edu    static_lib = new_env.StaticLibrary(libname, static_objs)
11074596Sbinkertn@umich.edu    shared_lib = new_env.SharedLibrary(libname, shared_objs)
11084007Ssaidi@eecs.umich.edu
11094596Sbinkertn@umich.edu    # Now link a stub with main() and the static library.
11107756SAli.Saidi@ARM.com    main_objs = [ make_obj(s, True) for s in Source.get(main=True) ]
11117816Ssteve.reinhardt@amd.com
11128334Snate@binkert.org    for test in UnitTest.all:
11138334Snate@binkert.org        flags = { test.target : True }
11148334Snate@binkert.org        test_sources = Source.get(**flags)
11158334Snate@binkert.org        test_objs = [ make_obj(s, static=True) for s in test_sources ]
11165601Snate@binkert.org        if test.main:
111711993Sgabeblack@google.com            test_objs += main_objs
111811993Sgabeblack@google.com        path = variant('unittest/%s.%s' % (test.target, label))
111911993Sgabeblack@google.com        new_env.Program(path, test_objs + static_objs)
112011993Sgabeblack@google.com
112111993Sgabeblack@google.com    progname = exename
11222655Sstever@eecs.umich.edu    if strip:
11239225Sandreas.hansson@arm.com        progname += '.unstripped'
11249225Sandreas.hansson@arm.com
11259226Sandreas.hansson@arm.com    targets = new_env.Program(progname, main_objs + static_objs)
11269226Sandreas.hansson@arm.com
11279225Sandreas.hansson@arm.com    if strip:
11289226Sandreas.hansson@arm.com        if sys.platform == 'sunos5':
11299226Sandreas.hansson@arm.com            cmd = 'cp $SOURCE $TARGET; strip $TARGET'
11309226Sandreas.hansson@arm.com        else:
11319226Sandreas.hansson@arm.com            cmd = 'strip $SOURCE -o $TARGET'
11329226Sandreas.hansson@arm.com        targets = new_env.Command(exename, progname,
11339226Sandreas.hansson@arm.com                    MakeAction(cmd, Transform("STRIP")))
11349225Sandreas.hansson@arm.com
11359227Sandreas.hansson@arm.com    new_env.Command(secondary_exename, exename,
11369227Sandreas.hansson@arm.com            MakeAction('ln $SOURCE $TARGET', Transform("HARDLINK")))
11379227Sandreas.hansson@arm.com
11389227Sandreas.hansson@arm.com    new_env.M5Binary = targets[0]
11398946Sandreas.hansson@arm.com    return new_env
11403918Ssaidi@eecs.umich.edu
11419225Sandreas.hansson@arm.com# Start out with the compiler flags common to all compilers,
11423918Ssaidi@eecs.umich.edu# i.e. they all use -g for opt and -g -pg for prof
11439225Sandreas.hansson@arm.comccflags = {'debug' : [], 'opt' : ['-g'], 'fast' : [], 'prof' : ['-g', '-pg'],
11449225Sandreas.hansson@arm.com           'perf' : ['-g']}
11459227Sandreas.hansson@arm.com
11469227Sandreas.hansson@arm.com# Start out with the linker flags common to all linkers, i.e. -pg for
11479227Sandreas.hansson@arm.com# prof, and -lprofiler for perf. The -lprofile flag is surrounded by
11489226Sandreas.hansson@arm.com# no-as-needed and as-needed as the binutils linker is too clever and
11499225Sandreas.hansson@arm.com# simply doesn't link to the library otherwise.
11509227Sandreas.hansson@arm.comldflags = {'debug' : [], 'opt' : [], 'fast' : [], 'prof' : ['-pg'],
11519227Sandreas.hansson@arm.com           'perf' : ['-Wl,--no-as-needed', '-lprofiler', '-Wl,--as-needed']}
11529227Sandreas.hansson@arm.com
11539227Sandreas.hansson@arm.com# For Link Time Optimization, the optimisation flags used to compile
11548946Sandreas.hansson@arm.com# individual files are decoupled from those used at link time
11559225Sandreas.hansson@arm.com# (i.e. you can compile with -O3 and perform LTO with -O0), so we need
11569226Sandreas.hansson@arm.com# to also update the linker flags based on the target.
11579226Sandreas.hansson@arm.comif env['GCC']:
11589226Sandreas.hansson@arm.com    if sys.platform == 'sunos5':
11593515Ssaidi@eecs.umich.edu        ccflags['debug'] += ['-gstabs+']
11603918Ssaidi@eecs.umich.edu    else:
11614762Snate@binkert.org        ccflags['debug'] += ['-ggdb3']
11623515Ssaidi@eecs.umich.edu    ldflags['debug'] += ['-O0']
11638881Smarc.orr@gmail.com    # opt, fast, prof and perf all share the same cc flags, also add
11648881Smarc.orr@gmail.com    # the optimization to the ldflags as LTO defers the optimization
11658881Smarc.orr@gmail.com    # to link time
11668881Smarc.orr@gmail.com    for target in ['opt', 'fast', 'prof', 'perf']:
11678881Smarc.orr@gmail.com        ccflags[target] += ['-O3']
11689226Sandreas.hansson@arm.com        ldflags[target] += ['-O3']
11699226Sandreas.hansson@arm.com
11709226Sandreas.hansson@arm.com    ccflags['fast'] += env['LTO_CCFLAGS']
11718881Smarc.orr@gmail.com    ldflags['fast'] += env['LTO_LDFLAGS']
11728881Smarc.orr@gmail.comelif env['CLANG']:
11738881Smarc.orr@gmail.com    ccflags['debug'] += ['-g', '-O0']
11748881Smarc.orr@gmail.com    # opt, fast, prof and perf all share the same cc flags
11758881Smarc.orr@gmail.com    for target in ['opt', 'fast', 'prof', 'perf']:
11768881Smarc.orr@gmail.com        ccflags[target] += ['-O3']
11778881Smarc.orr@gmail.comelse:
11788881Smarc.orr@gmail.com    print 'Unknown compiler, please fix compiler options'
11798881Smarc.orr@gmail.com    Exit(1)
11808881Smarc.orr@gmail.com
11818881Smarc.orr@gmail.com
11828881Smarc.orr@gmail.com# To speed things up, we only instantiate the build environments we
11838881Smarc.orr@gmail.com# need.  We try to identify the needed environment for each target; if
11848881Smarc.orr@gmail.com# we can't, we fall back on instantiating all the environments just to
11858881Smarc.orr@gmail.com# be safe.
11868881Smarc.orr@gmail.comtarget_types = ['debug', 'opt', 'fast', 'prof', 'perf']
118710196SCurtis.Dunham@arm.comobj2target = {'do': 'debug', 'o': 'opt', 'fo': 'fast', 'po': 'prof',
118810196SCurtis.Dunham@arm.com              'gpo' : 'perf'}
118910196SCurtis.Dunham@arm.com
1190955SN/Adef identifyTarget(t):
119110196SCurtis.Dunham@arm.com    ext = t.split('.')[-1]
119210196SCurtis.Dunham@arm.com    if ext in target_types:
119311993Sgabeblack@google.com        return ext
119411993Sgabeblack@google.com    if obj2target.has_key(ext):
119511993Sgabeblack@google.com        return obj2target[ext]
119611993Sgabeblack@google.com    match = re.search(r'/tests/([^/]+)/', t)
1197955SN/A    if match and match.group(1) in target_types:
119810196SCurtis.Dunham@arm.com        return match.group(1)
119910196SCurtis.Dunham@arm.com    return 'all'
120011993Sgabeblack@google.com
120111993Sgabeblack@google.comneeded_envs = [identifyTarget(target) for target in BUILD_TARGETS]
120211993Sgabeblack@google.comif 'all' in needed_envs:
120311993Sgabeblack@google.com    needed_envs += target_types
12041869SN/A
120510196SCurtis.Dunham@arm.comgem5_root = Dir('.').up().up().abspath
120610196SCurtis.Dunham@arm.comdef makeEnvirons(target, source, env):
120711993Sgabeblack@google.com    # cause any later Source() calls to be fatal, as a diagnostic.
120811993Sgabeblack@google.com    Source.done()
120911993Sgabeblack@google.com
121011993Sgabeblack@google.com    envList = []
12119226Sandreas.hansson@arm.com
121210196SCurtis.Dunham@arm.com    # Debug binary
121310196SCurtis.Dunham@arm.com    if 'debug' in needed_envs:
121411993Sgabeblack@google.com        envList.append(
121511993Sgabeblack@google.com            makeEnv(env, 'debug', '.do',
121611993Sgabeblack@google.com                    CCFLAGS = Split(ccflags['debug']),
121711993Sgabeblack@google.com                    CPPDEFINES = ['DEBUG', 'TRACING_ON=1'],
121810196SCurtis.Dunham@arm.com                    LINKFLAGS = Split(ldflags['debug'])))
121910196SCurtis.Dunham@arm.com
122010196SCurtis.Dunham@arm.com    # Optimized binary
122111993Sgabeblack@google.com    if 'opt' in needed_envs:
122211993Sgabeblack@google.com        envList.append(
122311993Sgabeblack@google.com            makeEnv(env, 'opt', '.o',
122411993Sgabeblack@google.com                    CCFLAGS = Split(ccflags['opt']),
122510196SCurtis.Dunham@arm.com                    CPPDEFINES = ['TRACING_ON=1'],
122610196SCurtis.Dunham@arm.com                    LINKFLAGS = Split(ldflags['opt'])))
122710196SCurtis.Dunham@arm.com
122810196SCurtis.Dunham@arm.com    # "Fast" binary
122910196SCurtis.Dunham@arm.com    if 'fast' in needed_envs:
123010196SCurtis.Dunham@arm.com        envList.append(
123110196SCurtis.Dunham@arm.com            makeEnv(env, 'fast', '.fo', strip = True,
123210196SCurtis.Dunham@arm.com                    CCFLAGS = Split(ccflags['fast']),
123310196SCurtis.Dunham@arm.com                    CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
123410196SCurtis.Dunham@arm.com                    LINKFLAGS = Split(ldflags['fast'])))
123510196SCurtis.Dunham@arm.com
123610196SCurtis.Dunham@arm.com    # Profiled binary using gprof
123710196SCurtis.Dunham@arm.com    if 'prof' in needed_envs:
123810196SCurtis.Dunham@arm.com        envList.append(
123910196SCurtis.Dunham@arm.com            makeEnv(env, 'prof', '.po',
124010196SCurtis.Dunham@arm.com                    CCFLAGS = Split(ccflags['prof']),
124110196SCurtis.Dunham@arm.com                    CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
124210196SCurtis.Dunham@arm.com                    LINKFLAGS = Split(ldflags['prof'])))
124310196SCurtis.Dunham@arm.com
124410196SCurtis.Dunham@arm.com    # Profiled binary using google-pprof
124510196SCurtis.Dunham@arm.com    if 'perf' in needed_envs:
124610196SCurtis.Dunham@arm.com        envList.append(
1247            makeEnv(env, 'perf', '.gpo',
1248                    CCFLAGS = Split(ccflags['perf']),
1249                    CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1250                    LINKFLAGS = Split(ldflags['perf'])))
1251
1252    # Set up the regression tests for each build.
1253    for e in envList:
1254        SConscript(os.path.join(gem5_root, 'tests', 'SConscript'),
1255                   variant_dir = variantd('tests', e.Label),
1256                   exports = { 'env' : e }, duplicate = False)
1257
1258# The MakeEnvirons Builder defers the full dependency collection until
1259# after processing the ISA definition (due to dynamically generated
1260# source files).  Add this dependency to all targets so they will wait
1261# until the environments are completely set up.  Otherwise, a second
1262# process (e.g. -j2 or higher) will try to compile the requested target,
1263# not know how, and fail.
1264env.Append(BUILDERS = {'MakeEnvirons' :
1265                        Builder(action=MakeAction(makeEnvirons,
1266                                                  Transform("ENVIRONS", 1)))})
1267
1268isa_target = env['PHONY_BASE'] + '-deps'
1269environs   = env['PHONY_BASE'] + '-environs'
1270env.Depends('#all-deps',     isa_target)
1271env.Depends('#all-environs', environs)
1272env.ScanISA(isa_target, File('arch/%s/generated/inc.d' % env['TARGET_ISA']))
1273envSetup = env.MakeEnvirons(environs, isa_target)
1274
1275# make sure no -deps targets occur before all ISAs are complete
1276env.Depends(isa_target, '#all-isas')
1277# likewise for -environs targets and all the -deps targets
1278env.Depends(environs, '#all-deps')
1279