SConscript revision 11983
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 subprocess
38955SN/Aimport sys
395522Snate@binkert.orgimport zlib
404202Sbinkertn@umich.edu
415742Snate@binkert.orgfrom os.path import basename, dirname, exists, isdir, isfile, join as joinpath
42955SN/A
434381Sbinkertn@umich.eduimport SCons
444381Sbinkertn@umich.edu
458334Snate@binkert.org# This file defines how to build a particular configuration of gem5
46955SN/A# based on variable settings in the 'env' build environment.
47955SN/A
484202Sbinkertn@umich.eduImport('*')
49955SN/A
504382Sbinkertn@umich.edu# Children need to see the environment
514382Sbinkertn@umich.eduExport('env')
524382Sbinkertn@umich.edu
536654Snate@binkert.orgbuild_env = [(opt, env[opt]) for opt in export_vars]
545517Snate@binkert.org
558614Sgblack@eecs.umich.edufrom m5.util import code_formatter, compareVersions
567674Snate@binkert.org
576143Snate@binkert.org########################################################################
586143Snate@binkert.org# Code for adding source files of various types
596143Snate@binkert.org#
608233Snate@binkert.org# When specifying a source file of some type, a set of guards can be
618233Snate@binkert.org# specified for that file.  When get() is used to find the files, if
628233Snate@binkert.org# get specifies a set of filters, only files that match those filters
638233Snate@binkert.org# will be accepted (unspecified filters on files are assumed to be
648233Snate@binkert.org# false).  Current filters are:
658334Snate@binkert.org#     main -- specifies the gem5 main() function
668334Snate@binkert.org#     skip_lib -- do not put this file into the gem5 library
6710453SAndrew.Bardsley@arm.com#     skip_no_python -- do not put this file into a no_python library
6810453SAndrew.Bardsley@arm.com#       as it embeds compiled Python
698233Snate@binkert.org#     <unittest> -- unit tests use filters based on the unit test name
708233Snate@binkert.org#
718233Snate@binkert.org# A parent can now be specified for a source file and default filter
728233Snate@binkert.org# values will be retrieved recursively from parents (children override
738233Snate@binkert.org# parents).
748233Snate@binkert.org#
7511983Sgabeblack@google.comdef guarded_source_iterator(sources, **guards):
7611983Sgabeblack@google.com    '''Iterate over a set of sources, gated by a set of guards.'''
7711983Sgabeblack@google.com    for src in sources:
7811983Sgabeblack@google.com        for flag,value in guards.iteritems():
7911983Sgabeblack@google.com            # if the flag is found and has a different value, skip
8011983Sgabeblack@google.com            # this file
8111983Sgabeblack@google.com            if src.all_guards.get(flag, False) != value:
8211983Sgabeblack@google.com                break
8311983Sgabeblack@google.com        else:
8411983Sgabeblack@google.com            yield src
8511983Sgabeblack@google.com
866143Snate@binkert.orgclass SourceMeta(type):
878233Snate@binkert.org    '''Meta class for source files that keeps track of all files of a
888233Snate@binkert.org    particular type and has a get function for finding all functions
898233Snate@binkert.org    of a certain type that match a set of guards'''
906143Snate@binkert.org    def __init__(cls, name, bases, dict):
916143Snate@binkert.org        super(SourceMeta, cls).__init__(name, bases, dict)
926143Snate@binkert.org        cls.all = []
9311308Santhony.gutierrez@amd.com
948233Snate@binkert.org    def get(cls, **guards):
958233Snate@binkert.org        '''Find all files that match the specified guards.  If a source
968233Snate@binkert.org        file does not specify a flag, the default is False'''
9711983Sgabeblack@google.com        for s in guarded_source_iterator(cls.all, **guards):
9811983Sgabeblack@google.com            yield s
994762Snate@binkert.org
1006143Snate@binkert.orgclass SourceFile(object):
1018233Snate@binkert.org    '''Base object that encapsulates the notion of a source file.
1028233Snate@binkert.org    This includes, the source node, target node, various manipulations
1038233Snate@binkert.org    of those.  A source file also specifies a set of guards which
1048233Snate@binkert.org    describing which builds the source file applies to.  A parent can
1058233Snate@binkert.org    also be specified to get default guards from'''
1066143Snate@binkert.org    __metaclass__ = SourceMeta
1078233Snate@binkert.org    def __init__(self, source, parent=None, **guards):
1088233Snate@binkert.org        self.guards = guards
1098233Snate@binkert.org        self.parent = parent
1108233Snate@binkert.org
1116143Snate@binkert.org        tnode = source
1126143Snate@binkert.org        if not isinstance(source, SCons.Node.FS.File):
1136143Snate@binkert.org            tnode = File(source)
1146143Snate@binkert.org
1156143Snate@binkert.org        self.tnode = tnode
1166143Snate@binkert.org        self.snode = tnode.srcnode()
1176143Snate@binkert.org
1186143Snate@binkert.org        for base in type(self).__mro__:
1196143Snate@binkert.org            if issubclass(base, SourceFile):
1207065Snate@binkert.org                base.all.append(self)
1216143Snate@binkert.org
1228233Snate@binkert.org    @property
1238233Snate@binkert.org    def filename(self):
1248233Snate@binkert.org        return str(self.tnode)
1258233Snate@binkert.org
1268233Snate@binkert.org    @property
1278233Snate@binkert.org    def dirname(self):
1288233Snate@binkert.org        return dirname(self.filename)
1298233Snate@binkert.org
1308233Snate@binkert.org    @property
1318233Snate@binkert.org    def basename(self):
1328233Snate@binkert.org        return basename(self.filename)
1338233Snate@binkert.org
1348233Snate@binkert.org    @property
1358233Snate@binkert.org    def extname(self):
1368233Snate@binkert.org        index = self.basename.rfind('.')
1378233Snate@binkert.org        if index <= 0:
1388233Snate@binkert.org            # dot files aren't extensions
1398233Snate@binkert.org            return self.basename, None
1408233Snate@binkert.org
1418233Snate@binkert.org        return self.basename[:index], self.basename[index+1:]
1428233Snate@binkert.org
1438233Snate@binkert.org    @property
1448233Snate@binkert.org    def all_guards(self):
1458233Snate@binkert.org        '''find all guards for this object getting default values
1468233Snate@binkert.org        recursively from its parents'''
1478233Snate@binkert.org        guards = {}
1488233Snate@binkert.org        if self.parent:
1498233Snate@binkert.org            guards.update(self.parent.guards)
1508233Snate@binkert.org        guards.update(self.guards)
1518233Snate@binkert.org        return guards
1528233Snate@binkert.org
1536143Snate@binkert.org    def __lt__(self, other): return self.filename < other.filename
1546143Snate@binkert.org    def __le__(self, other): return self.filename <= other.filename
1556143Snate@binkert.org    def __gt__(self, other): return self.filename > other.filename
1566143Snate@binkert.org    def __ge__(self, other): return self.filename >= other.filename
1576143Snate@binkert.org    def __eq__(self, other): return self.filename == other.filename
1586143Snate@binkert.org    def __ne__(self, other): return self.filename != other.filename
1599982Satgutier@umich.edu
16010196SCurtis.Dunham@arm.com    @staticmethod
16110196SCurtis.Dunham@arm.com    def done():
16210196SCurtis.Dunham@arm.com        def disabled(cls, name, *ignored):
16310196SCurtis.Dunham@arm.com            raise RuntimeError("Additional SourceFile '%s'" % name,\
16410196SCurtis.Dunham@arm.com                  "declared, but targets deps are already fixed.")
16510196SCurtis.Dunham@arm.com        SourceFile.__init__ = disabled
16610196SCurtis.Dunham@arm.com
16710196SCurtis.Dunham@arm.com
1686143Snate@binkert.orgclass Source(SourceFile):
16911983Sgabeblack@google.com    current_group = None
17011983Sgabeblack@google.com    source_groups = { None : [] }
17111983Sgabeblack@google.com
17211983Sgabeblack@google.com    @classmethod
17311983Sgabeblack@google.com    def set_group(cls, group):
17411983Sgabeblack@google.com        if not group in Source.source_groups:
17511983Sgabeblack@google.com            Source.source_groups[group] = []
17611983Sgabeblack@google.com        Source.current_group = group
17711983Sgabeblack@google.com
1786143Snate@binkert.org    '''Add a c/c++ source file to the build'''
17911988Sandreas.sandberg@arm.com    def __init__(self, source, Werror=True, swig=False, **guards):
1808233Snate@binkert.org        '''specify the source file, and any guards'''
1818233Snate@binkert.org        super(Source, self).__init__(source, **guards)
1826143Snate@binkert.org
1838945Ssteve.reinhardt@amd.com        self.Werror = Werror
1846143Snate@binkert.org        self.swig = swig
18511983Sgabeblack@google.com
18611983Sgabeblack@google.com        Source.source_groups[Source.current_group].append(self)
1876143Snate@binkert.org
1886143Snate@binkert.orgclass PySource(SourceFile):
1895522Snate@binkert.org    '''Add a python source file to the named package'''
1906143Snate@binkert.org    invalid_sym_char = re.compile('[^A-z0-9_]')
1916143Snate@binkert.org    modules = {}
1926143Snate@binkert.org    tnodes = {}
1939982Satgutier@umich.edu    symnames = {}
1948233Snate@binkert.org
1958233Snate@binkert.org    def __init__(self, package, source, **guards):
1968233Snate@binkert.org        '''specify the python package, the source file, and any guards'''
1976143Snate@binkert.org        super(PySource, self).__init__(source, **guards)
1986143Snate@binkert.org
1996143Snate@binkert.org        modname,ext = self.extname
2006143Snate@binkert.org        assert ext == 'py'
2015522Snate@binkert.org
2025522Snate@binkert.org        if package:
2035522Snate@binkert.org            path = package.split('.')
2045522Snate@binkert.org        else:
2055604Snate@binkert.org            path = []
2065604Snate@binkert.org
2076143Snate@binkert.org        modpath = path[:]
2086143Snate@binkert.org        if modname != '__init__':
2094762Snate@binkert.org            modpath += [ modname ]
2104762Snate@binkert.org        modpath = '.'.join(modpath)
2116143Snate@binkert.org
2126727Ssteve.reinhardt@amd.com        arcpath = path + [ self.basename ]
2136727Ssteve.reinhardt@amd.com        abspath = self.snode.abspath
2146727Ssteve.reinhardt@amd.com        if not exists(abspath):
2154762Snate@binkert.org            abspath = self.tnode.abspath
2166143Snate@binkert.org
2176143Snate@binkert.org        self.package = package
2186143Snate@binkert.org        self.modname = modname
2196143Snate@binkert.org        self.modpath = modpath
2206727Ssteve.reinhardt@amd.com        self.arcname = joinpath(*arcpath)
2216143Snate@binkert.org        self.abspath = abspath
2227674Snate@binkert.org        self.compiled = File(self.filename + 'c')
2237674Snate@binkert.org        self.cpp = File(self.filename + '.cc')
2245604Snate@binkert.org        self.symname = PySource.invalid_sym_char.sub('_', modpath)
2256143Snate@binkert.org
2266143Snate@binkert.org        PySource.modules[modpath] = self
2276143Snate@binkert.org        PySource.tnodes[self.tnode] = self
2284762Snate@binkert.org        PySource.symnames[self.symname] = self
2296143Snate@binkert.org
2304762Snate@binkert.orgclass SimObject(PySource):
2314762Snate@binkert.org    '''Add a SimObject python file as a python source object and add
2324762Snate@binkert.org    it to a list of sim object modules'''
2336143Snate@binkert.org
2346143Snate@binkert.org    fixed = False
2354762Snate@binkert.org    modnames = []
2368233Snate@binkert.org
2378233Snate@binkert.org    def __init__(self, source, **guards):
2388233Snate@binkert.org        '''Specify the source file and any guards (automatically in
2398233Snate@binkert.org        the m5.objects package)'''
2406143Snate@binkert.org        super(SimObject, self).__init__('m5.objects', source, **guards)
2416143Snate@binkert.org        if self.fixed:
2424762Snate@binkert.org            raise AttributeError, "Too late to call SimObject now."
2436143Snate@binkert.org
2444762Snate@binkert.org        bisect.insort_right(SimObject.modnames, self.modname)
2459396Sandreas.hansson@arm.com
2469396Sandreas.hansson@arm.comclass SwigSource(SourceFile):
2479396Sandreas.hansson@arm.com    '''Add a swig file to build'''
2489396Sandreas.hansson@arm.com
2499396Sandreas.hansson@arm.com    def __init__(self, package, source, **guards):
2509396Sandreas.hansson@arm.com        '''Specify the python package, the source file, and any guards'''
2519396Sandreas.hansson@arm.com        super(SwigSource, self).__init__(source, skip_no_python=True, **guards)
2529396Sandreas.hansson@arm.com
2539396Sandreas.hansson@arm.com        modname,ext = self.extname
2549396Sandreas.hansson@arm.com        assert ext == 'i'
2559396Sandreas.hansson@arm.com
2569396Sandreas.hansson@arm.com        self.package = package
2579396Sandreas.hansson@arm.com        self.module = modname
2589930Sandreas.hansson@arm.com        cc_file = joinpath(self.dirname, modname + '_wrap.cc')
2599930Sandreas.hansson@arm.com        py_file = joinpath(self.dirname, modname + '.py')
2609396Sandreas.hansson@arm.com
2618235Snate@binkert.org        self.cc_source = Source(cc_file, swig=True, parent=self, **guards)
2628235Snate@binkert.org        self.py_source = PySource(package, py_file, parent=self, **guards)
2636143Snate@binkert.org
2648235Snate@binkert.orgclass ProtoBuf(SourceFile):
2659003SAli.Saidi@ARM.com    '''Add a Protocol Buffer to build'''
2668235Snate@binkert.org
2678235Snate@binkert.org    def __init__(self, source, **guards):
2688235Snate@binkert.org        '''Specify the source file, and any guards'''
2698235Snate@binkert.org        super(ProtoBuf, self).__init__(source, **guards)
2708235Snate@binkert.org
2718235Snate@binkert.org        # Get the file name and the extension
2728235Snate@binkert.org        modname,ext = self.extname
2738235Snate@binkert.org        assert ext == 'proto'
2748235Snate@binkert.org
2758235Snate@binkert.org        # Currently, we stick to generating the C++ headers, so we
2768235Snate@binkert.org        # only need to track the source and header.
2778235Snate@binkert.org        self.cc_file = File(modname + '.pb.cc')
2788235Snate@binkert.org        self.hh_file = File(modname + '.pb.h')
2798235Snate@binkert.org
2809003SAli.Saidi@ARM.comclass UnitTest(object):
2818235Snate@binkert.org    '''Create a UnitTest'''
2825584Snate@binkert.org
2834382Sbinkertn@umich.edu    all = []
2844202Sbinkertn@umich.edu    def __init__(self, target, *sources, **kwargs):
2854382Sbinkertn@umich.edu        '''Specify the target name and any sources.  Sources that are
2864382Sbinkertn@umich.edu        not SourceFiles are evalued with Source().  All files are
2879396Sandreas.hansson@arm.com        guarded with a guard of the same name as the UnitTest
2885584Snate@binkert.org        target.'''
2894382Sbinkertn@umich.edu
2904382Sbinkertn@umich.edu        srcs = []
2914382Sbinkertn@umich.edu        for src in sources:
2928232Snate@binkert.org            if not isinstance(src, SourceFile):
2935192Ssaidi@eecs.umich.edu                src = Source(src, skip_lib=True)
2948232Snate@binkert.org            src.guards[target] = True
2958232Snate@binkert.org            srcs.append(src)
2968232Snate@binkert.org
2975192Ssaidi@eecs.umich.edu        self.sources = srcs
2988232Snate@binkert.org        self.target = target
2995192Ssaidi@eecs.umich.edu        self.main = kwargs.get('main', False)
3005799Snate@binkert.org        UnitTest.all.append(self)
3018232Snate@binkert.org
3025192Ssaidi@eecs.umich.edu# Children should have access
3035192Ssaidi@eecs.umich.eduExport('Source')
3045192Ssaidi@eecs.umich.eduExport('PySource')
3058232Snate@binkert.orgExport('SimObject')
3065192Ssaidi@eecs.umich.eduExport('SwigSource')
3078232Snate@binkert.orgExport('ProtoBuf')
3085192Ssaidi@eecs.umich.eduExport('UnitTest')
3095192Ssaidi@eecs.umich.edu
3105192Ssaidi@eecs.umich.edu########################################################################
3115192Ssaidi@eecs.umich.edu#
3124382Sbinkertn@umich.edu# Debug Flags
3134382Sbinkertn@umich.edu#
3144382Sbinkertn@umich.edudebug_flags = {}
3152667Sstever@eecs.umich.edudef DebugFlag(name, desc=None):
3162667Sstever@eecs.umich.edu    if name in debug_flags:
3172667Sstever@eecs.umich.edu        raise AttributeError, "Flag %s already specified" % name
3182667Sstever@eecs.umich.edu    debug_flags[name] = (name, (), desc)
3192667Sstever@eecs.umich.edu
3202667Sstever@eecs.umich.edudef CompoundFlag(name, flags, desc=None):
3215742Snate@binkert.org    if name in debug_flags:
3225742Snate@binkert.org        raise AttributeError, "Flag %s already specified" % name
3235742Snate@binkert.org
3245793Snate@binkert.org    compound = tuple(flags)
3258334Snate@binkert.org    debug_flags[name] = (name, compound, desc)
3265793Snate@binkert.org
3275793Snate@binkert.orgExport('DebugFlag')
3285793Snate@binkert.orgExport('CompoundFlag')
3294382Sbinkertn@umich.edu
3304762Snate@binkert.org########################################################################
3315344Sstever@gmail.com#
3324382Sbinkertn@umich.edu# Set some compiler variables
3335341Sstever@gmail.com#
3345742Snate@binkert.org
3355742Snate@binkert.org# Include file paths are rooted in this directory.  SCons will
3365742Snate@binkert.org# automatically expand '.' to refer to both the source directory and
3375742Snate@binkert.org# the corresponding build directory to pick up generated include
3385742Snate@binkert.org# files.
3394762Snate@binkert.orgenv.Append(CPPPATH=Dir('.'))
3405742Snate@binkert.org
3415742Snate@binkert.orgfor extra_dir in extras_dir_list:
34211984Sgabeblack@google.com    env.Append(CPPPATH=Dir(extra_dir))
3437722Sgblack@eecs.umich.edu
3445742Snate@binkert.org# Workaround for bug in SCons version > 0.97d20071212
3455742Snate@binkert.org# Scons bug id: 2006 gem5 Bug id: 308
3465742Snate@binkert.orgfor root, dirs, files in os.walk(base_dir, topdown=True):
3479930Sandreas.hansson@arm.com    Dir(root[len(base_dir) + 1:])
3489930Sandreas.hansson@arm.com
3499930Sandreas.hansson@arm.com########################################################################
3509930Sandreas.hansson@arm.com#
3519930Sandreas.hansson@arm.com# Walk the tree and execute all SConscripts in subdirectories
3525742Snate@binkert.org#
3538242Sbradley.danofsky@amd.com
3548242Sbradley.danofsky@amd.comhere = Dir('.').srcnode().abspath
3558242Sbradley.danofsky@amd.comfor root, dirs, files in os.walk(base_dir, topdown=True):
3568242Sbradley.danofsky@amd.com    if root == here:
3575341Sstever@gmail.com        # we don't want to recurse back into this SConscript
3585742Snate@binkert.org        continue
3597722Sgblack@eecs.umich.edu
3604773Snate@binkert.org    if 'SConscript' in files:
3616108Snate@binkert.org        build_dir = joinpath(env['BUILDDIR'], root[len(base_dir) + 1:])
3621858SN/A        SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir)
3631085SN/A
3646658Snate@binkert.orgfor extra_dir in extras_dir_list:
3656658Snate@binkert.org    prefix_len = len(dirname(extra_dir)) + 1
3667673Snate@binkert.org
3676658Snate@binkert.org    # Also add the corresponding build directory to pick up generated
3686658Snate@binkert.org    # include files.
36911308Santhony.gutierrez@amd.com    env.Append(CPPPATH=Dir(joinpath(env['BUILDDIR'], extra_dir[prefix_len:])))
3706658Snate@binkert.org
37111308Santhony.gutierrez@amd.com    for root, dirs, files in os.walk(extra_dir, topdown=True):
3726658Snate@binkert.org        # if build lives in the extras directory, don't walk down it
3736658Snate@binkert.org        if 'build' in dirs:
3747673Snate@binkert.org            dirs.remove('build')
3757673Snate@binkert.org
3767673Snate@binkert.org        if 'SConscript' in files:
3777673Snate@binkert.org            build_dir = joinpath(env['BUILDDIR'], root[prefix_len:])
3787673Snate@binkert.org            SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir)
3797673Snate@binkert.org
3807673Snate@binkert.orgfor opt in export_vars:
38110467Sandreas.hansson@arm.com    env.ConfigFile(opt)
3826658Snate@binkert.org
3837673Snate@binkert.orgdef makeTheISA(source, target, env):
38410467Sandreas.hansson@arm.com    isas = [ src.get_contents() for src in source ]
38510467Sandreas.hansson@arm.com    target_isa = env['TARGET_ISA']
38610467Sandreas.hansson@arm.com    def define(isa):
38710467Sandreas.hansson@arm.com        return isa.upper() + '_ISA'
38810467Sandreas.hansson@arm.com
38910467Sandreas.hansson@arm.com    def namespace(isa):
39010467Sandreas.hansson@arm.com        return isa[0].upper() + isa[1:].lower() + 'ISA'
39110467Sandreas.hansson@arm.com
39210467Sandreas.hansson@arm.com
39310467Sandreas.hansson@arm.com    code = code_formatter()
39410467Sandreas.hansson@arm.com    code('''\
3957673Snate@binkert.org#ifndef __CONFIG_THE_ISA_HH__
3967673Snate@binkert.org#define __CONFIG_THE_ISA_HH__
3977673Snate@binkert.org
3987673Snate@binkert.org''')
3997673Snate@binkert.org
4009048SAli.Saidi@ARM.com    # create defines for the preprocessing and compile-time determination
4017673Snate@binkert.org    for i,isa in enumerate(isas):
4027673Snate@binkert.org        code('#define $0 $1', define(isa), i + 1)
4037673Snate@binkert.org    code()
4047673Snate@binkert.org
4056658Snate@binkert.org    # create an enum for any run-time determination of the ISA, we
4067756SAli.Saidi@ARM.com    # reuse the same name as the namespaces
4077816Ssteve.reinhardt@amd.com    code('enum class Arch {')
4086658Snate@binkert.org    for i,isa in enumerate(isas):
40911308Santhony.gutierrez@amd.com        if i + 1 == len(isas):
41011308Santhony.gutierrez@amd.com            code('  $0 = $1', namespace(isa), define(isa))
41111308Santhony.gutierrez@amd.com        else:
41211308Santhony.gutierrez@amd.com            code('  $0 = $1,', namespace(isa), define(isa))
41311308Santhony.gutierrez@amd.com    code('};')
41411308Santhony.gutierrez@amd.com
41511308Santhony.gutierrez@amd.com    code('''
41611308Santhony.gutierrez@amd.com
41711308Santhony.gutierrez@amd.com#define THE_ISA ${{define(target_isa)}}
41811308Santhony.gutierrez@amd.com#define TheISA ${{namespace(target_isa)}}
41911308Santhony.gutierrez@amd.com#define THE_ISA_STR "${{target_isa}}"
42011308Santhony.gutierrez@amd.com
42111308Santhony.gutierrez@amd.com#endif // __CONFIG_THE_ISA_HH__''')
42211308Santhony.gutierrez@amd.com
42311308Santhony.gutierrez@amd.com    code.write(str(target[0]))
42411308Santhony.gutierrez@amd.com
42511308Santhony.gutierrez@amd.comenv.Command('config/the_isa.hh', map(Value, all_isa_list),
42611308Santhony.gutierrez@amd.com            MakeAction(makeTheISA, Transform("CFG ISA", 0)))
42711308Santhony.gutierrez@amd.com
42811308Santhony.gutierrez@amd.comdef makeTheGPUISA(source, target, env):
42911308Santhony.gutierrez@amd.com    isas = [ src.get_contents() for src in source ]
43011308Santhony.gutierrez@amd.com    target_gpu_isa = env['TARGET_GPU_ISA']
43111308Santhony.gutierrez@amd.com    def define(isa):
43211308Santhony.gutierrez@amd.com        return isa.upper() + '_ISA'
43311308Santhony.gutierrez@amd.com
43411308Santhony.gutierrez@amd.com    def namespace(isa):
43511308Santhony.gutierrez@amd.com        return isa[0].upper() + isa[1:].lower() + 'ISA'
43611308Santhony.gutierrez@amd.com
43711308Santhony.gutierrez@amd.com
43811308Santhony.gutierrez@amd.com    code = code_formatter()
43911308Santhony.gutierrez@amd.com    code('''\
44011308Santhony.gutierrez@amd.com#ifndef __CONFIG_THE_GPU_ISA_HH__
44111308Santhony.gutierrez@amd.com#define __CONFIG_THE_GPU_ISA_HH__
44211308Santhony.gutierrez@amd.com
44311308Santhony.gutierrez@amd.com''')
44411308Santhony.gutierrez@amd.com
44511308Santhony.gutierrez@amd.com    # create defines for the preprocessing and compile-time determination
44611308Santhony.gutierrez@amd.com    for i,isa in enumerate(isas):
44711308Santhony.gutierrez@amd.com        code('#define $0 $1', define(isa), i + 1)
44811308Santhony.gutierrez@amd.com    code()
44911308Santhony.gutierrez@amd.com
45011308Santhony.gutierrez@amd.com    # create an enum for any run-time determination of the ISA, we
45111308Santhony.gutierrez@amd.com    # reuse the same name as the namespaces
45211308Santhony.gutierrez@amd.com    code('enum class GPUArch {')
45311308Santhony.gutierrez@amd.com    for i,isa in enumerate(isas):
4544382Sbinkertn@umich.edu        if i + 1 == len(isas):
4554382Sbinkertn@umich.edu            code('  $0 = $1', namespace(isa), define(isa))
4564762Snate@binkert.org        else:
4574762Snate@binkert.org            code('  $0 = $1,', namespace(isa), define(isa))
4584762Snate@binkert.org    code('};')
4596654Snate@binkert.org
4606654Snate@binkert.org    code('''
4615517Snate@binkert.org
4625517Snate@binkert.org#define THE_GPU_ISA ${{define(target_gpu_isa)}}
4635517Snate@binkert.org#define TheGpuISA ${{namespace(target_gpu_isa)}}
4645517Snate@binkert.org#define THE_GPU_ISA_STR "${{target_gpu_isa}}"
4655517Snate@binkert.org
4665517Snate@binkert.org#endif // __CONFIG_THE_GPU_ISA_HH__''')
4675517Snate@binkert.org
4685517Snate@binkert.org    code.write(str(target[0]))
4695517Snate@binkert.org
4705517Snate@binkert.orgenv.Command('config/the_gpu_isa.hh', map(Value, all_gpu_isa_list),
4715517Snate@binkert.org            MakeAction(makeTheGPUISA, Transform("CFG ISA", 0)))
4725517Snate@binkert.org
4735517Snate@binkert.org########################################################################
4745517Snate@binkert.org#
4755517Snate@binkert.org# Prevent any SimObjects from being added after this point, they
4765517Snate@binkert.org# should all have been added in the SConscripts above
4775517Snate@binkert.org#
4786654Snate@binkert.orgSimObject.fixed = True
4795517Snate@binkert.org
4805517Snate@binkert.orgclass DictImporter(object):
4815517Snate@binkert.org    '''This importer takes a dictionary of arbitrary module names that
4825517Snate@binkert.org    map to arbitrary filenames.'''
4835517Snate@binkert.org    def __init__(self, modules):
48411802Sandreas.sandberg@arm.com        self.modules = modules
4855517Snate@binkert.org        self.installed = set()
4865517Snate@binkert.org
4876143Snate@binkert.org    def __del__(self):
4886654Snate@binkert.org        self.unload()
4895517Snate@binkert.org
4905517Snate@binkert.org    def unload(self):
4915517Snate@binkert.org        import sys
4925517Snate@binkert.org        for module in self.installed:
4935517Snate@binkert.org            del sys.modules[module]
4945517Snate@binkert.org        self.installed = set()
4955517Snate@binkert.org
4965517Snate@binkert.org    def find_module(self, fullname, path):
4975517Snate@binkert.org        if fullname == 'm5.defines':
4985517Snate@binkert.org            return self
4995517Snate@binkert.org
5005517Snate@binkert.org        if fullname == 'm5.objects':
5015517Snate@binkert.org            return self
5025517Snate@binkert.org
5036654Snate@binkert.org        if fullname.startswith('_m5'):
5046654Snate@binkert.org            return None
5055517Snate@binkert.org
5065517Snate@binkert.org        source = self.modules.get(fullname, None)
5076143Snate@binkert.org        if source is not None and fullname.startswith('m5.objects'):
5086143Snate@binkert.org            return self
5096143Snate@binkert.org
5106727Ssteve.reinhardt@amd.com        return None
5115517Snate@binkert.org
5126727Ssteve.reinhardt@amd.com    def load_module(self, fullname):
5135517Snate@binkert.org        mod = imp.new_module(fullname)
5145517Snate@binkert.org        sys.modules[fullname] = mod
5155517Snate@binkert.org        self.installed.add(fullname)
5166654Snate@binkert.org
5176654Snate@binkert.org        mod.__loader__ = self
5187673Snate@binkert.org        if fullname == 'm5.objects':
5196654Snate@binkert.org            mod.__path__ = fullname.split('.')
5206654Snate@binkert.org            return mod
5216654Snate@binkert.org
5226654Snate@binkert.org        if fullname == 'm5.defines':
5235517Snate@binkert.org            mod.__dict__['buildEnv'] = m5.util.SmartDict(build_env)
5245517Snate@binkert.org            return mod
5255517Snate@binkert.org
5266143Snate@binkert.org        source = self.modules[fullname]
5275517Snate@binkert.org        if source.modname == '__init__':
5284762Snate@binkert.org            mod.__path__ = source.modpath
5295517Snate@binkert.org        mod.__file__ = source.abspath
5305517Snate@binkert.org
5316143Snate@binkert.org        exec file(source.abspath, 'r') in mod.__dict__
5326143Snate@binkert.org
5335517Snate@binkert.org        return mod
5345517Snate@binkert.org
5355517Snate@binkert.orgimport m5.SimObject
5365517Snate@binkert.orgimport m5.params
5375517Snate@binkert.orgfrom m5.util import code_formatter
5385517Snate@binkert.org
5395517Snate@binkert.orgm5.SimObject.clear()
5405517Snate@binkert.orgm5.params.clear()
5415517Snate@binkert.org
5426143Snate@binkert.org# install the python importer so we can grab stuff from the source
5435517Snate@binkert.org# tree itself.  We can't have SimObjects added after this point or
5446654Snate@binkert.org# else we won't know about them for the rest of the stuff.
5456654Snate@binkert.orgimporter = DictImporter(PySource.modules)
5466654Snate@binkert.orgsys.meta_path[0:0] = [ importer ]
5476654Snate@binkert.org
5486654Snate@binkert.org# import all sim objects so we can populate the all_objects list
5496654Snate@binkert.org# make sure that we're working with a list, then let's sort it
5504762Snate@binkert.orgfor modname in SimObject.modnames:
5514762Snate@binkert.org    exec('from m5.objects import %s' % modname)
5524762Snate@binkert.org
5534762Snate@binkert.org# we need to unload all of the currently imported modules so that they
5544762Snate@binkert.org# will be re-imported the next time the sconscript is run
5557675Snate@binkert.orgimporter.unload()
55610584Sandreas.hansson@arm.comsys.meta_path.remove(importer)
5574762Snate@binkert.org
5584762Snate@binkert.orgsim_objects = m5.SimObject.allClasses
5594762Snate@binkert.orgall_enums = m5.params.allEnums
5604762Snate@binkert.org
5614382Sbinkertn@umich.eduif m5.SimObject.noCxxHeader:
5624382Sbinkertn@umich.edu    print >> sys.stderr, \
5635517Snate@binkert.org        "warning: At least one SimObject lacks a header specification. " \
5646654Snate@binkert.org        "This can cause unexpected results in the generated SWIG " \
5655517Snate@binkert.org        "wrappers."
5668126Sgblack@eecs.umich.edu
5676654Snate@binkert.org# Find param types that need to be explicitly wrapped with swig.
5687673Snate@binkert.org# These will be recognized because the ParamDesc will have a
5696654Snate@binkert.org# swig_decl() method.  Most param types are based on types that don't
57011802Sandreas.sandberg@arm.com# need this, either because they're based on native types (like Int)
5716654Snate@binkert.org# or because they're SimObjects (which get swigged independently).
5726654Snate@binkert.org# For now the only things handled here are VectorParam types.
5736654Snate@binkert.orgparams_to_swig = {}
5746654Snate@binkert.orgfor name,obj in sorted(sim_objects.iteritems()):
57511802Sandreas.sandberg@arm.com    for param in obj._params.local.values():
5766669Snate@binkert.org        # load the ptype attribute now because it depends on the
57711802Sandreas.sandberg@arm.com        # current version of SimObject.allClasses, but when scons
5786669Snate@binkert.org        # actually uses the value, all versions of
5796669Snate@binkert.org        # SimObject.allClasses will have been loaded
5806669Snate@binkert.org        param.ptype
5816669Snate@binkert.org
5826654Snate@binkert.org        if not hasattr(param, 'swig_decl'):
5837673Snate@binkert.org            continue
5845517Snate@binkert.org        pname = param.ptype_str
5858126Sgblack@eecs.umich.edu        if pname not in params_to_swig:
5865798Snate@binkert.org            params_to_swig[pname] = param
5877756SAli.Saidi@ARM.com
5887816Ssteve.reinhardt@amd.com########################################################################
5895798Snate@binkert.org#
5905798Snate@binkert.org# calculate extra dependencies
5915517Snate@binkert.org#
5925517Snate@binkert.orgmodule_depends = ["m5", "m5.SimObject", "m5.params"]
5937673Snate@binkert.orgdepends = [ PySource.modules[dep].snode for dep in module_depends ]
5945517Snate@binkert.orgdepends.sort(key = lambda x: x.name)
5955517Snate@binkert.org
5967673Snate@binkert.org########################################################################
5977673Snate@binkert.org#
5985517Snate@binkert.org# Commands for the basic automatically generated python files
5995798Snate@binkert.org#
6005798Snate@binkert.org
6018333Snate@binkert.org# Generate Python file containing a dict specifying the current
6027816Ssteve.reinhardt@amd.com# buildEnv flags.
6035798Snate@binkert.orgdef makeDefinesPyFile(target, source, env):
6045798Snate@binkert.org    build_env = source[0].get_contents()
6054762Snate@binkert.org
6064762Snate@binkert.org    code = code_formatter()
6074762Snate@binkert.org    code("""
6084762Snate@binkert.orgimport _m5.core
6094762Snate@binkert.orgimport m5.util
6108596Ssteve.reinhardt@amd.com
6115517Snate@binkert.orgbuildEnv = m5.util.SmartDict($build_env)
6125517Snate@binkert.org
6135517Snate@binkert.orgcompileDate = _m5.core.compileDate
6145517Snate@binkert.org_globals = globals()
6155517Snate@binkert.orgfor key,val in _m5.core.__dict__.iteritems():
6167673Snate@binkert.org    if key.startswith('flag_'):
6178596Ssteve.reinhardt@amd.com        flag = key[5:]
6187673Snate@binkert.org        _globals[flag] = val
6195517Snate@binkert.orgdel _globals
62010458Sandreas.hansson@arm.com""")
62110458Sandreas.hansson@arm.com    code.write(target[0].abspath)
62210458Sandreas.hansson@arm.com
62310458Sandreas.hansson@arm.comdefines_info = Value(build_env)
62410458Sandreas.hansson@arm.com# Generate a file with all of the compile options in it
62510458Sandreas.hansson@arm.comenv.Command('python/m5/defines.py', defines_info,
62610458Sandreas.hansson@arm.com            MakeAction(makeDefinesPyFile, Transform("DEFINES", 0)))
62710458Sandreas.hansson@arm.comPySource('m5', 'python/m5/defines.py')
62810458Sandreas.hansson@arm.com
62910458Sandreas.hansson@arm.com# Generate python file containing info about the M5 source code
63010458Sandreas.hansson@arm.comdef makeInfoPyFile(target, source, env):
63110458Sandreas.hansson@arm.com    code = code_formatter()
6325517Snate@binkert.org    for src in source:
6335517Snate@binkert.org        data = ''.join(file(src.srcnode().abspath, 'r').xreadlines())
6345517Snate@binkert.org        code('$src = ${{repr(data)}}')
6355517Snate@binkert.org    code.write(str(target[0]))
6365517Snate@binkert.org
6375517Snate@binkert.org# Generate a file that wraps the basic top level files
6387673Snate@binkert.orgenv.Command('python/m5/info.py',
6397673Snate@binkert.org            [ '#/COPYING', '#/LICENSE', '#/README', ],
64011988Sandreas.sandberg@arm.com            MakeAction(makeInfoPyFile, Transform("INFO")))
64111988Sandreas.sandberg@arm.comPySource('m5', 'python/m5/info.py')
6427673Snate@binkert.org
6435517Snate@binkert.org########################################################################
6448596Ssteve.reinhardt@amd.com#
6455517Snate@binkert.org# Create all of the SimObject param headers and enum headers
6465517Snate@binkert.org#
6475517Snate@binkert.org
6485517Snate@binkert.orgdef createSimObjectParamStruct(target, source, env):
6495517Snate@binkert.org    assert len(target) == 1 and len(source) == 1
6507673Snate@binkert.org
6517673Snate@binkert.org    name = str(source[0].get_contents())
6527673Snate@binkert.org    obj = sim_objects[name]
6535517Snate@binkert.org
65411988Sandreas.sandberg@arm.com    code = code_formatter()
6558596Ssteve.reinhardt@amd.com    obj.cxx_param_decl(code)
6568596Ssteve.reinhardt@amd.com    code.write(target[0].abspath)
6578596Ssteve.reinhardt@amd.com
6588596Ssteve.reinhardt@amd.comdef createSimObjectCxxConfig(is_header):
65911988Sandreas.sandberg@arm.com    def body(target, source, env):
6608596Ssteve.reinhardt@amd.com        assert len(target) == 1 and len(source) == 1
6618596Ssteve.reinhardt@amd.com
6628596Ssteve.reinhardt@amd.com        name = str(source[0].get_contents())
6634762Snate@binkert.org        obj = sim_objects[name]
6646143Snate@binkert.org
6656143Snate@binkert.org        code = code_formatter()
6666143Snate@binkert.org        obj.cxx_config_param_file(code, is_header)
6674762Snate@binkert.org        code.write(target[0].abspath)
6684762Snate@binkert.org    return body
6694762Snate@binkert.org
6707756SAli.Saidi@ARM.comdef createParamSwigWrapper(target, source, env):
6718596Ssteve.reinhardt@amd.com    assert len(target) == 1 and len(source) == 1
6724762Snate@binkert.org
6734762Snate@binkert.org    name = str(source[0].get_contents())
67410458Sandreas.hansson@arm.com    param = params_to_swig[name]
67510458Sandreas.hansson@arm.com
67610458Sandreas.hansson@arm.com    code = code_formatter()
67710458Sandreas.hansson@arm.com    param.swig_decl(code)
67810458Sandreas.hansson@arm.com    code.write(target[0].abspath)
67910458Sandreas.hansson@arm.com
68010458Sandreas.hansson@arm.comdef createEnumStrings(target, source, env):
68110458Sandreas.hansson@arm.com    assert len(target) == 1 and len(source) == 1
68210458Sandreas.hansson@arm.com
68310458Sandreas.hansson@arm.com    name = str(source[0].get_contents())
68410458Sandreas.hansson@arm.com    obj = all_enums[name]
68510458Sandreas.hansson@arm.com
68610458Sandreas.hansson@arm.com    code = code_formatter()
68710458Sandreas.hansson@arm.com    obj.cxx_def(code)
68810458Sandreas.hansson@arm.com    code.write(target[0].abspath)
68910458Sandreas.hansson@arm.com
69010458Sandreas.hansson@arm.comdef createEnumDecls(target, source, env):
69110458Sandreas.hansson@arm.com    assert len(target) == 1 and len(source) == 1
69210458Sandreas.hansson@arm.com
69310458Sandreas.hansson@arm.com    name = str(source[0].get_contents())
69410458Sandreas.hansson@arm.com    obj = all_enums[name]
69510458Sandreas.hansson@arm.com
69610458Sandreas.hansson@arm.com    code = code_formatter()
69710458Sandreas.hansson@arm.com    obj.cxx_decl(code)
69810458Sandreas.hansson@arm.com    code.write(target[0].abspath)
69910458Sandreas.hansson@arm.com
70010458Sandreas.hansson@arm.comdef createEnumSwigWrapper(target, source, env):
70110458Sandreas.hansson@arm.com    assert len(target) == 1 and len(source) == 1
70210458Sandreas.hansson@arm.com
70310458Sandreas.hansson@arm.com    name = str(source[0].get_contents())
70410458Sandreas.hansson@arm.com    obj = all_enums[name]
70510458Sandreas.hansson@arm.com
70610458Sandreas.hansson@arm.com    code = code_formatter()
70710458Sandreas.hansson@arm.com    obj.swig_decl(code)
70810458Sandreas.hansson@arm.com    code.write(target[0].abspath)
70910458Sandreas.hansson@arm.com
71010458Sandreas.hansson@arm.comdef createSimObjectSwigWrapper(target, source, env):
71110458Sandreas.hansson@arm.com    name = source[0].get_contents()
71210458Sandreas.hansson@arm.com    obj = sim_objects[name]
71310458Sandreas.hansson@arm.com
71410458Sandreas.hansson@arm.com    code = code_formatter()
71510458Sandreas.hansson@arm.com    obj.swig_decl(code)
71610458Sandreas.hansson@arm.com    code.write(target[0].abspath)
71710458Sandreas.hansson@arm.com
71810458Sandreas.hansson@arm.com# dummy target for generated code
71910458Sandreas.hansson@arm.com# we start out with all the Source files so they get copied to build/*/ also.
72010458Sandreas.hansson@arm.comSWIG = env.Dummy('swig', [s.tnode for s in Source.get()])
72110458Sandreas.hansson@arm.com
72210458Sandreas.hansson@arm.com# Generate all of the SimObject param C++ struct header files
72310584Sandreas.hansson@arm.comparams_hh_files = []
72410458Sandreas.hansson@arm.comfor name,simobj in sorted(sim_objects.iteritems()):
72510458Sandreas.hansson@arm.com    py_source = PySource.modules[simobj.__module__]
72610458Sandreas.hansson@arm.com    extra_deps = [ py_source.tnode ]
72710458Sandreas.hansson@arm.com
72810458Sandreas.hansson@arm.com    hh_file = File('params/%s.hh' % name)
7294762Snate@binkert.org    params_hh_files.append(hh_file)
7306143Snate@binkert.org    env.Command(hh_file, Value(name),
7316143Snate@binkert.org                MakeAction(createSimObjectParamStruct, Transform("SO PARAM")))
7326143Snate@binkert.org    env.Depends(hh_file, depends + extra_deps)
7334762Snate@binkert.org    env.Depends(SWIG, hh_file)
7344762Snate@binkert.org
7357756SAli.Saidi@ARM.com# C++ parameter description files
7367816Ssteve.reinhardt@amd.comif GetOption('with_cxx_config'):
7374762Snate@binkert.org    for name,simobj in sorted(sim_objects.iteritems()):
7384762Snate@binkert.org        py_source = PySource.modules[simobj.__module__]
7394762Snate@binkert.org        extra_deps = [ py_source.tnode ]
7404762Snate@binkert.org
7417756SAli.Saidi@ARM.com        cxx_config_hh_file = File('cxx_config/%s.hh' % name)
7428596Ssteve.reinhardt@amd.com        cxx_config_cc_file = File('cxx_config/%s.cc' % name)
7434762Snate@binkert.org        env.Command(cxx_config_hh_file, Value(name),
7444762Snate@binkert.org                    MakeAction(createSimObjectCxxConfig(True),
74511988Sandreas.sandberg@arm.com                    Transform("CXXCPRHH")))
74611988Sandreas.sandberg@arm.com        env.Command(cxx_config_cc_file, Value(name),
74711988Sandreas.sandberg@arm.com                    MakeAction(createSimObjectCxxConfig(False),
74811988Sandreas.sandberg@arm.com                    Transform("CXXCPRCC")))
74911988Sandreas.sandberg@arm.com        env.Depends(cxx_config_hh_file, depends + extra_deps +
75011988Sandreas.sandberg@arm.com                    [File('params/%s.hh' % name), File('sim/cxx_config.hh')])
75111988Sandreas.sandberg@arm.com        env.Depends(cxx_config_cc_file, depends + extra_deps +
75211988Sandreas.sandberg@arm.com                    [cxx_config_hh_file])
75311988Sandreas.sandberg@arm.com        Source(cxx_config_cc_file)
75411988Sandreas.sandberg@arm.com
75511988Sandreas.sandberg@arm.com    cxx_config_init_cc_file = File('cxx_config/init.cc')
7564382Sbinkertn@umich.edu
7579396Sandreas.hansson@arm.com    def createCxxConfigInitCC(target, source, env):
7589396Sandreas.hansson@arm.com        assert len(target) == 1 and len(source) == 1
7599396Sandreas.hansson@arm.com
7609396Sandreas.hansson@arm.com        code = code_formatter()
7619396Sandreas.hansson@arm.com
7629396Sandreas.hansson@arm.com        for name,simobj in sorted(sim_objects.iteritems()):
7639396Sandreas.hansson@arm.com            if not hasattr(simobj, 'abstract') or not simobj.abstract:
7649396Sandreas.hansson@arm.com                code('#include "cxx_config/${name}.hh"')
7659396Sandreas.hansson@arm.com        code()
7669396Sandreas.hansson@arm.com        code('void cxxConfigInit()')
7679396Sandreas.hansson@arm.com        code('{')
7689396Sandreas.hansson@arm.com        code.indent()
7699396Sandreas.hansson@arm.com        for name,simobj in sorted(sim_objects.iteritems()):
7709396Sandreas.hansson@arm.com            not_abstract = not hasattr(simobj, 'abstract') or \
7719396Sandreas.hansson@arm.com                not simobj.abstract
7729396Sandreas.hansson@arm.com            if not_abstract and 'type' in simobj.__dict__:
7739396Sandreas.hansson@arm.com                code('cxx_config_directory["${name}"] = '
7749396Sandreas.hansson@arm.com                     '${name}CxxConfigParams::makeDirectoryEntry();')
7758232Snate@binkert.org        code.dedent()
7768232Snate@binkert.org        code('}')
7778232Snate@binkert.org        code.write(target[0].abspath)
7788232Snate@binkert.org
7798232Snate@binkert.org    py_source = PySource.modules[simobj.__module__]
7806229Snate@binkert.org    extra_deps = [ py_source.tnode ]
78110455SCurtis.Dunham@arm.com    env.Command(cxx_config_init_cc_file, Value(name),
7826229Snate@binkert.org        MakeAction(createCxxConfigInitCC, Transform("CXXCINIT")))
78310455SCurtis.Dunham@arm.com    cxx_param_hh_files = ["cxx_config/%s.hh" % simobj
78410455SCurtis.Dunham@arm.com        for name,simobj in sorted(sim_objects.iteritems())
78510455SCurtis.Dunham@arm.com        if not hasattr(simobj, 'abstract') or not simobj.abstract]
7865517Snate@binkert.org    Depends(cxx_config_init_cc_file, cxx_param_hh_files +
7875517Snate@binkert.org            [File('sim/cxx_config.hh')])
7887673Snate@binkert.org    Source(cxx_config_init_cc_file)
7895517Snate@binkert.org
79010455SCurtis.Dunham@arm.com# Generate any needed param SWIG wrapper files
7915517Snate@binkert.orgparams_i_files = []
7925517Snate@binkert.orgfor name,param in sorted(params_to_swig.iteritems()):
7938232Snate@binkert.org    i_file = File('python/_m5/%s.i' % (param.swig_module_name()))
79410455SCurtis.Dunham@arm.com    params_i_files.append(i_file)
79510455SCurtis.Dunham@arm.com    env.Command(i_file, Value(name),
79610455SCurtis.Dunham@arm.com                MakeAction(createParamSwigWrapper, Transform("SW PARAM")))
7977673Snate@binkert.org    env.Depends(i_file, depends)
7987673Snate@binkert.org    env.Depends(SWIG, i_file)
79910455SCurtis.Dunham@arm.com    SwigSource('_m5', i_file)
80010455SCurtis.Dunham@arm.com
80110455SCurtis.Dunham@arm.com# Generate all enum header files
8025517Snate@binkert.orgfor name,enum in sorted(all_enums.iteritems()):
80310455SCurtis.Dunham@arm.com    py_source = PySource.modules[enum.__module__]
80410455SCurtis.Dunham@arm.com    extra_deps = [ py_source.tnode ]
80510455SCurtis.Dunham@arm.com
80610455SCurtis.Dunham@arm.com    cc_file = File('enums/%s.cc' % name)
80710455SCurtis.Dunham@arm.com    env.Command(cc_file, Value(name),
80810455SCurtis.Dunham@arm.com                MakeAction(createEnumStrings, Transform("ENUM STR")))
80910455SCurtis.Dunham@arm.com    env.Depends(cc_file, depends + extra_deps)
81010455SCurtis.Dunham@arm.com    env.Depends(SWIG, cc_file)
81110685Sandreas.hansson@arm.com    Source(cc_file)
81210455SCurtis.Dunham@arm.com
81310685Sandreas.hansson@arm.com    hh_file = File('enums/%s.hh' % name)
81410455SCurtis.Dunham@arm.com    env.Command(hh_file, Value(name),
8155517Snate@binkert.org                MakeAction(createEnumDecls, Transform("ENUMDECL")))
81610455SCurtis.Dunham@arm.com    env.Depends(hh_file, depends + extra_deps)
8178232Snate@binkert.org    env.Depends(SWIG, hh_file)
8188232Snate@binkert.org
8195517Snate@binkert.org    i_file = File('python/_m5/enum_%s.i' % name)
8207673Snate@binkert.org    env.Command(i_file, Value(name),
8215517Snate@binkert.org                MakeAction(createEnumSwigWrapper, Transform("ENUMSWIG")))
8228232Snate@binkert.org    env.Depends(i_file, depends + extra_deps)
8238232Snate@binkert.org    env.Depends(SWIG, i_file)
8245517Snate@binkert.org    SwigSource('_m5', i_file)
8258232Snate@binkert.org
8268232Snate@binkert.org# Generate SimObject SWIG wrapper files
8278232Snate@binkert.orgfor name,simobj in sorted(sim_objects.iteritems()):
8287673Snate@binkert.org    py_source = PySource.modules[simobj.__module__]
8295517Snate@binkert.org    extra_deps = [ py_source.tnode ]
8305517Snate@binkert.org    i_file = File('python/_m5/param_%s.i' % name)
8317673Snate@binkert.org    env.Command(i_file, Value(name),
8325517Snate@binkert.org                MakeAction(createSimObjectSwigWrapper, Transform("SO SWIG")))
83310455SCurtis.Dunham@arm.com    env.Depends(i_file, depends + extra_deps)
8345517Snate@binkert.org    SwigSource('_m5', i_file)
8355517Snate@binkert.org
8368232Snate@binkert.org# Generate the main swig init file
8378232Snate@binkert.orgdef makeEmbeddedSwigInit(package):
8385517Snate@binkert.org    def body(target, source, env):
8398232Snate@binkert.org        assert len(target) == 1 and len(source) == 1
8408232Snate@binkert.org
8415517Snate@binkert.org        code = code_formatter()
8428232Snate@binkert.org        module = source[0].get_contents()
8438232Snate@binkert.org        # Provide the full context so that the swig-generated call to
8448232Snate@binkert.org        # Py_InitModule ends up placing the embedded module in the
8455517Snate@binkert.org        # right package.
8468232Snate@binkert.org        context = str(package) + "._" + str(module)
8478232Snate@binkert.org        code('''\
8488232Snate@binkert.org        #include "sim/init.hh"
8498232Snate@binkert.org
8508232Snate@binkert.org        extern "C" {
8518232Snate@binkert.org            void init_${module}();
8525517Snate@binkert.org        }
8538232Snate@binkert.org
8548232Snate@binkert.org        EmbeddedSwig embed_swig_${module}(init_${module}, "${context}");
8555517Snate@binkert.org        ''')
8568232Snate@binkert.org        code.write(str(target[0]))
8577673Snate@binkert.org    return body
8585517Snate@binkert.org
8597673Snate@binkert.org# Build all swig modules
8605517Snate@binkert.orgfor swig in SwigSource.all:
8618232Snate@binkert.org    env.Command([swig.cc_source.tnode, swig.py_source.tnode], swig.tnode,
8628232Snate@binkert.org                MakeAction('$SWIG $SWIGFLAGS -outdir ${TARGETS[1].dir} '
8638232Snate@binkert.org                '-o ${TARGETS[0]} $SOURCES', Transform("SWIG")))
8645192Ssaidi@eecs.umich.edu    cc_file = str(swig.tnode)
86510454SCurtis.Dunham@arm.com    init_file = '%s/%s_init.cc' % (dirname(cc_file), basename(cc_file))
86610454SCurtis.Dunham@arm.com    env.Command(init_file, Value(swig.module),
8678232Snate@binkert.org                MakeAction(makeEmbeddedSwigInit(swig.package),
86810455SCurtis.Dunham@arm.com                           Transform("EMBED SW")))
86910455SCurtis.Dunham@arm.com    env.Depends(SWIG, init_file)
87010455SCurtis.Dunham@arm.com    Source(init_file, **swig.guards)
87110455SCurtis.Dunham@arm.com
8725192Ssaidi@eecs.umich.edu# Build all protocol buffers if we have got protoc and protobuf available
87311077SCurtis.Dunham@arm.comif env['HAVE_PROTOBUF']:
87411330SCurtis.Dunham@arm.com    for proto in ProtoBuf.all:
87511077SCurtis.Dunham@arm.com        # Use both the source and header as the target, and the .proto
87611077SCurtis.Dunham@arm.com        # file as the source. When executing the protoc compiler, also
87711077SCurtis.Dunham@arm.com        # specify the proto_path to avoid having the generated files
87811330SCurtis.Dunham@arm.com        # include the path.
87911077SCurtis.Dunham@arm.com        env.Command([proto.cc_file, proto.hh_file], proto.tnode,
8807674Snate@binkert.org                    MakeAction('$PROTOC --cpp_out ${TARGET.dir} '
8815522Snate@binkert.org                               '--proto_path ${SOURCE.dir} $SOURCE',
8825522Snate@binkert.org                               Transform("PROTOC")))
8837674Snate@binkert.org
8847674Snate@binkert.org        env.Depends(SWIG, [proto.cc_file, proto.hh_file])
8857674Snate@binkert.org        # Add the C++ source file
8867674Snate@binkert.org        Source(proto.cc_file, **proto.guards)
8877674Snate@binkert.orgelif ProtoBuf.all:
8887674Snate@binkert.org    print 'Got protobuf to build, but lacks support!'
8897674Snate@binkert.org    Exit(1)
8907674Snate@binkert.org
8915522Snate@binkert.org#
8925522Snate@binkert.org# Handle debug flags
8935522Snate@binkert.org#
8945517Snate@binkert.orgdef makeDebugFlagCC(target, source, env):
8955522Snate@binkert.org    assert(len(target) == 1 and len(source) == 1)
8965517Snate@binkert.org
8976143Snate@binkert.org    code = code_formatter()
8986727Ssteve.reinhardt@amd.com
8995522Snate@binkert.org    # delay definition of CompoundFlags until after all the definition
9005522Snate@binkert.org    # of all constituent SimpleFlags
9015522Snate@binkert.org    comp_code = code_formatter()
9027674Snate@binkert.org
9035517Snate@binkert.org    # file header
9047673Snate@binkert.org    code('''
9057673Snate@binkert.org/*
9067674Snate@binkert.org * DO NOT EDIT THIS FILE! Automatically generated by SCons.
9077673Snate@binkert.org */
9087674Snate@binkert.org
9097674Snate@binkert.org#include "base/debug.hh"
9108946Sandreas.hansson@arm.com
9117674Snate@binkert.orgnamespace Debug {
9127674Snate@binkert.org
9137674Snate@binkert.org''')
9145522Snate@binkert.org
9155522Snate@binkert.org    for name, flag in sorted(source[0].read().iteritems()):
9167674Snate@binkert.org        n, compound, desc = flag
9177674Snate@binkert.org        assert n == name
91811308Santhony.gutierrez@amd.com
9197674Snate@binkert.org        if not compound:
9207673Snate@binkert.org            code('SimpleFlag $name("$name", "$desc");')
9217674Snate@binkert.org        else:
9227674Snate@binkert.org            comp_code('CompoundFlag $name("$name", "$desc",')
9237674Snate@binkert.org            comp_code.indent()
9247674Snate@binkert.org            last = len(compound) - 1
9257674Snate@binkert.org            for i,flag in enumerate(compound):
9267674Snate@binkert.org                if i != last:
9277674Snate@binkert.org                    comp_code('&$flag,')
9287674Snate@binkert.org                else:
9297811Ssteve.reinhardt@amd.com                    comp_code('&$flag);')
9307674Snate@binkert.org            comp_code.dedent()
9317673Snate@binkert.org
9325522Snate@binkert.org    code.append(comp_code)
9336143Snate@binkert.org    code()
93410453SAndrew.Bardsley@arm.com    code('} // namespace Debug')
9357816Ssteve.reinhardt@amd.com
93610453SAndrew.Bardsley@arm.com    code.write(str(target[0]))
9374382Sbinkertn@umich.edu
9384382Sbinkertn@umich.edudef makeDebugFlagHH(target, source, env):
9394382Sbinkertn@umich.edu    assert(len(target) == 1 and len(source) == 1)
9404382Sbinkertn@umich.edu
9414382Sbinkertn@umich.edu    val = eval(source[0].get_contents())
9424382Sbinkertn@umich.edu    name, compound, desc = val
9434382Sbinkertn@umich.edu
9444382Sbinkertn@umich.edu    code = code_formatter()
94510196SCurtis.Dunham@arm.com
9464382Sbinkertn@umich.edu    # file header boilerplate
94710196SCurtis.Dunham@arm.com    code('''\
94810196SCurtis.Dunham@arm.com/*
94910196SCurtis.Dunham@arm.com * DO NOT EDIT THIS FILE! Automatically generated by SCons.
95010196SCurtis.Dunham@arm.com */
95110196SCurtis.Dunham@arm.com
95210196SCurtis.Dunham@arm.com#ifndef __DEBUG_${name}_HH__
95310196SCurtis.Dunham@arm.com#define __DEBUG_${name}_HH__
954955SN/A
9552655Sstever@eecs.umich.edunamespace Debug {
9562655Sstever@eecs.umich.edu''')
9572655Sstever@eecs.umich.edu
9582655Sstever@eecs.umich.edu    if compound:
95910196SCurtis.Dunham@arm.com        code('class CompoundFlag;')
9605601Snate@binkert.org    code('class SimpleFlag;')
9615601Snate@binkert.org
96210196SCurtis.Dunham@arm.com    if compound:
96310196SCurtis.Dunham@arm.com        code('extern CompoundFlag $name;')
96410196SCurtis.Dunham@arm.com        for flag in compound:
9655522Snate@binkert.org            code('extern SimpleFlag $flag;')
9665863Snate@binkert.org    else:
9675601Snate@binkert.org        code('extern SimpleFlag $name;')
9685601Snate@binkert.org
9695601Snate@binkert.org    code('''
9705559Snate@binkert.org}
97111718Sjoseph.gross@amd.com
97211718Sjoseph.gross@amd.com#endif // __DEBUG_${name}_HH__
97311718Sjoseph.gross@amd.com''')
97411718Sjoseph.gross@amd.com
97511718Sjoseph.gross@amd.com    code.write(str(target[0]))
97611718Sjoseph.gross@amd.com
97711718Sjoseph.gross@amd.comfor name,flag in sorted(debug_flags.iteritems()):
97811718Sjoseph.gross@amd.com    n, compound, desc = flag
97911718Sjoseph.gross@amd.com    assert n == name
98011718Sjoseph.gross@amd.com
98111718Sjoseph.gross@amd.com    hh_file = 'debug/%s.hh' % name
98210457Sandreas.hansson@arm.com    env.Command(hh_file, Value(flag),
98310457Sandreas.hansson@arm.com                MakeAction(makeDebugFlagHH, Transform("TRACING", 0)))
98410457Sandreas.hansson@arm.com    env.Depends(SWIG, hh_file)
98511718Sjoseph.gross@amd.com
98610457Sandreas.hansson@arm.comenv.Command('debug/flags.cc', Value(debug_flags),
98710457Sandreas.hansson@arm.com            MakeAction(makeDebugFlagCC, Transform("TRACING", 0)))
98810457Sandreas.hansson@arm.comenv.Depends(SWIG, 'debug/flags.cc')
98910457Sandreas.hansson@arm.comSource('debug/flags.cc')
99011342Sandreas.hansson@arm.com
9918737Skoansin.tan@gmail.com# version tags
99211342Sandreas.hansson@arm.comtags = \
99311342Sandreas.hansson@arm.comenv.Command('sim/tags.cc', None,
99410457Sandreas.hansson@arm.com            MakeAction('util/cpt_upgrader.py --get-cc-file > $TARGET',
99511718Sjoseph.gross@amd.com                       Transform("VER TAGS")))
99611718Sjoseph.gross@amd.comenv.AlwaysBuild(tags)
99711718Sjoseph.gross@amd.com
99811718Sjoseph.gross@amd.com# Embed python files.  All .py files that have been indicated by a
99911718Sjoseph.gross@amd.com# PySource() call in a SConscript need to be embedded into the M5
100011718Sjoseph.gross@amd.com# library.  To do that, we compile the file to byte code, marshal the
100111718Sjoseph.gross@amd.com# byte code, compress it, and then generate a c++ file that
100210457Sandreas.hansson@arm.com# inserts the result into an array.
100311718Sjoseph.gross@amd.comdef embedPyFile(target, source, env):
100411500Sandreas.hansson@arm.com    def c_str(string):
100511500Sandreas.hansson@arm.com        if string is None:
100611342Sandreas.hansson@arm.com            return "0"
100711342Sandreas.hansson@arm.com        return '"%s"' % string
10088945Ssteve.reinhardt@amd.com
100910686SAndreas.Sandberg@ARM.com    '''Action function to compile a .py into a code object, marshal
101010686SAndreas.Sandberg@ARM.com    it, compress it, and stick it into an asm file so the code appears
101110686SAndreas.Sandberg@ARM.com    as just bytes with a label in the data section'''
101210686SAndreas.Sandberg@ARM.com
101310686SAndreas.Sandberg@ARM.com    src = file(str(source[0]), 'r').read()
101410686SAndreas.Sandberg@ARM.com
10158945Ssteve.reinhardt@amd.com    pysource = PySource.tnodes[source[0]]
10166143Snate@binkert.org    compiled = compile(src, pysource.abspath, 'exec')
10176143Snate@binkert.org    marshalled = marshal.dumps(compiled)
10186143Snate@binkert.org    compressed = zlib.compress(marshalled)
10196143Snate@binkert.org    data = compressed
10206143Snate@binkert.org    sym = pysource.symname
102111988Sandreas.sandberg@arm.com
10228945Ssteve.reinhardt@amd.com    code = code_formatter()
10236143Snate@binkert.org    code('''\
10246143Snate@binkert.org#include "sim/init.hh"
10256143Snate@binkert.org
10266143Snate@binkert.orgnamespace {
10276143Snate@binkert.org
10286143Snate@binkert.orgconst uint8_t data_${sym}[] = {
10296143Snate@binkert.org''')
10306143Snate@binkert.org    code.indent()
10316143Snate@binkert.org    step = 16
10326143Snate@binkert.org    for i in xrange(0, len(data), step):
10336143Snate@binkert.org        x = array.array('B', data[i:i+step])
10346143Snate@binkert.org        code(''.join('%d,' % d for d in x))
10356143Snate@binkert.org    code.dedent()
103610453SAndrew.Bardsley@arm.com
103710453SAndrew.Bardsley@arm.com    code('''};
103811988Sandreas.sandberg@arm.com
103911988Sandreas.sandberg@arm.comEmbeddedPython embedded_${sym}(
104010453SAndrew.Bardsley@arm.com    ${{c_str(pysource.arcname)}},
104110453SAndrew.Bardsley@arm.com    ${{c_str(pysource.abspath)}},
104210453SAndrew.Bardsley@arm.com    ${{c_str(pysource.modpath)}},
104311983Sgabeblack@google.com    data_${sym},
104411983Sgabeblack@google.com    ${{len(data)}},
104511983Sgabeblack@google.com    ${{len(marshalled)}});
104611983Sgabeblack@google.com
104711983Sgabeblack@google.com} // anonymous namespace
104811983Sgabeblack@google.com''')
104911983Sgabeblack@google.com    code.write(str(target[0]))
105011983Sgabeblack@google.com
105111983Sgabeblack@google.comfor source in PySource.all:
105211983Sgabeblack@google.com    env.Command(source.cpp, source.tnode,
105311983Sgabeblack@google.com                MakeAction(embedPyFile, Transform("EMBED PY")))
105411983Sgabeblack@google.com    env.Depends(SWIG, source.cpp)
105511983Sgabeblack@google.com    Source(source.cpp, skip_no_python=True)
105611983Sgabeblack@google.com
105711983Sgabeblack@google.com########################################################################
105811983Sgabeblack@google.com#
105911983Sgabeblack@google.com# Define binaries.  Each different build type (debug, opt, etc.) gets
106011983Sgabeblack@google.com# a slightly different build environment.
106111983Sgabeblack@google.com#
106211983Sgabeblack@google.com
106311983Sgabeblack@google.com# List of constructed environments to pass back to SConstruct
106411983Sgabeblack@google.comdate_source = Source('base/date.cc', skip_lib=True)
106511983Sgabeblack@google.com
106611983Sgabeblack@google.com# Capture this directory for the closure makeEnv, otherwise when it is
106711983Sgabeblack@google.com# called, it won't know what directory it should use.
106811983Sgabeblack@google.comvariant_dir = Dir('.').path
106911983Sgabeblack@google.comdef variant(*path):
107011983Sgabeblack@google.com    return os.path.join(variant_dir, *path)
107111983Sgabeblack@google.comdef variantd(*path):
107211983Sgabeblack@google.com    return variant(*path)+'/'
107311983Sgabeblack@google.com
10746143Snate@binkert.org# Function to create a new build environment as clone of current
10756143Snate@binkert.org# environment 'env' with modified object suffix and optional stripped
10766143Snate@binkert.org# binary.  Additional keyword arguments are appended to corresponding
107710453SAndrew.Bardsley@arm.com# build environment vars.
10786143Snate@binkert.orgdef makeEnv(env, label, objsfx, strip = False, **kwargs):
10796240Snate@binkert.org    # SCons doesn't know to append a library suffix when there is a '.' in the
10805554Snate@binkert.org    # name.  Use '_' instead.
10815522Snate@binkert.org    libname = variant('gem5_' + label)
10825522Snate@binkert.org    exename = variant('gem5.' + label)
10835797Snate@binkert.org    secondary_exename = variant('m5.' + label)
10845797Snate@binkert.org
10855522Snate@binkert.org    new_env = env.Clone(OBJSUFFIX=objsfx, SHOBJSUFFIX=objsfx + 's')
10865601Snate@binkert.org    new_env.Label = label
10878233Snate@binkert.org    new_env.Append(**kwargs)
10888233Snate@binkert.org
10898235Snate@binkert.org    swig_env = new_env.Clone()
10908235Snate@binkert.org
10918235Snate@binkert.org    # Both gcc and clang have issues with unused labels and values in
10928235Snate@binkert.org    # the SWIG generated code
10939003SAli.Saidi@ARM.com    swig_env.Append(CCFLAGS=['-Wno-unused-label', '-Wno-unused-value'])
10949003SAli.Saidi@ARM.com
109510196SCurtis.Dunham@arm.com    if env['GCC']:
109610196SCurtis.Dunham@arm.com        # Depending on the SWIG version, we also need to supress
10978235Snate@binkert.org        # warnings about uninitialized variables and missing field
10986143Snate@binkert.org        # initializers.
10992655Sstever@eecs.umich.edu        swig_env.Append(CCFLAGS=['-Wno-uninitialized',
11006143Snate@binkert.org                                 '-Wno-missing-field-initializers',
11016143Snate@binkert.org                                 '-Wno-unused-but-set-variable',
110211985Sgabeblack@google.com                                 '-Wno-maybe-uninitialized',
11036143Snate@binkert.org                                 '-Wno-type-limits'])
11046143Snate@binkert.org
11054007Ssaidi@eecs.umich.edu
11064596Sbinkertn@umich.edu        # The address sanitizer is available for gcc >= 4.8
11074007Ssaidi@eecs.umich.edu        if GetOption('with_asan'):
11084596Sbinkertn@umich.edu            if GetOption('with_ubsan') and \
11097756SAli.Saidi@ARM.com                    compareVersions(env['GCC_VERSION'], '4.9') >= 0:
11107816Ssteve.reinhardt@amd.com                new_env.Append(CCFLAGS=['-fsanitize=address,undefined',
11118334Snate@binkert.org                                        '-fno-omit-frame-pointer'])
11128334Snate@binkert.org                new_env.Append(LINKFLAGS='-fsanitize=address,undefined')
11138334Snate@binkert.org            else:
11148334Snate@binkert.org                new_env.Append(CCFLAGS=['-fsanitize=address',
11155601Snate@binkert.org                                        '-fno-omit-frame-pointer'])
111611993Sgabeblack@google.com                new_env.Append(LINKFLAGS='-fsanitize=address')
111711993Sgabeblack@google.com        # Only gcc >= 4.9 supports UBSan, so check both the version
111811993Sgabeblack@google.com        # and the command-line option before adding the compiler and
111911993Sgabeblack@google.com        # linker flags.
112011993Sgabeblack@google.com        elif GetOption('with_ubsan') and \
11212655Sstever@eecs.umich.edu                compareVersions(env['GCC_VERSION'], '4.9') >= 0:
11229225Sandreas.hansson@arm.com            new_env.Append(CCFLAGS='-fsanitize=undefined')
11239225Sandreas.hansson@arm.com            new_env.Append(LINKFLAGS='-fsanitize=undefined')
11249226Sandreas.hansson@arm.com
11259226Sandreas.hansson@arm.com
11269225Sandreas.hansson@arm.com    if env['CLANG']:
11279226Sandreas.hansson@arm.com        swig_env.Append(CCFLAGS=['-Wno-sometimes-uninitialized',
11289226Sandreas.hansson@arm.com                                 '-Wno-deprecated-register',
11299226Sandreas.hansson@arm.com                                 '-Wno-tautological-compare'])
11309226Sandreas.hansson@arm.com
11319226Sandreas.hansson@arm.com        # We require clang >= 3.1, so there is no need to check any
11329226Sandreas.hansson@arm.com        # versions here.
11339225Sandreas.hansson@arm.com        if GetOption('with_ubsan'):
11349227Sandreas.hansson@arm.com            if GetOption('with_asan'):
11359227Sandreas.hansson@arm.com                new_env.Append(CCFLAGS=['-fsanitize=address,undefined',
11369227Sandreas.hansson@arm.com                                        '-fno-omit-frame-pointer'])
11379227Sandreas.hansson@arm.com                new_env.Append(LINKFLAGS='-fsanitize=address,undefined')
11388946Sandreas.hansson@arm.com            else:
11393918Ssaidi@eecs.umich.edu                new_env.Append(CCFLAGS='-fsanitize=undefined')
11409225Sandreas.hansson@arm.com                new_env.Append(LINKFLAGS='-fsanitize=undefined')
11413918Ssaidi@eecs.umich.edu
11429225Sandreas.hansson@arm.com        elif GetOption('with_asan'):
11439225Sandreas.hansson@arm.com            new_env.Append(CCFLAGS=['-fsanitize=address',
11449227Sandreas.hansson@arm.com                                    '-fno-omit-frame-pointer'])
11459227Sandreas.hansson@arm.com            new_env.Append(LINKFLAGS='-fsanitize=address')
11469227Sandreas.hansson@arm.com
11479226Sandreas.hansson@arm.com    werror_env = new_env.Clone()
11489225Sandreas.hansson@arm.com    # Treat warnings as errors but white list some warnings that we
11499227Sandreas.hansson@arm.com    # want to allow (e.g., deprecation warnings).
11509227Sandreas.hansson@arm.com    werror_env.Append(CCFLAGS=['-Werror',
11519227Sandreas.hansson@arm.com                               '-Wno-error=deprecated-declarations',
11529227Sandreas.hansson@arm.com                               '-Wno-error=deprecated',
11538946Sandreas.hansson@arm.com                               ])
11549225Sandreas.hansson@arm.com
11559226Sandreas.hansson@arm.com    def make_obj(source, static, extra_deps = None):
11569226Sandreas.hansson@arm.com        '''This function adds the specified source to the correct
11579226Sandreas.hansson@arm.com        build environment, and returns the corresponding SCons Object
11583515Ssaidi@eecs.umich.edu        nodes'''
11593918Ssaidi@eecs.umich.edu
11604762Snate@binkert.org        if source.swig:
11613515Ssaidi@eecs.umich.edu            env = swig_env
11628881Smarc.orr@gmail.com        elif source.Werror:
11638881Smarc.orr@gmail.com            env = werror_env
11648881Smarc.orr@gmail.com        else:
11658881Smarc.orr@gmail.com            env = new_env
11668881Smarc.orr@gmail.com
11679226Sandreas.hansson@arm.com        if static:
11689226Sandreas.hansson@arm.com            obj = env.StaticObject(source.tnode)
11699226Sandreas.hansson@arm.com        else:
11708881Smarc.orr@gmail.com            obj = env.SharedObject(source.tnode)
11718881Smarc.orr@gmail.com
11728881Smarc.orr@gmail.com        if extra_deps:
11738881Smarc.orr@gmail.com            env.Depends(obj, extra_deps)
11748881Smarc.orr@gmail.com
11758881Smarc.orr@gmail.com        return obj
11768881Smarc.orr@gmail.com
11778881Smarc.orr@gmail.com    lib_guards = {'main': False, 'skip_lib': False}
11788881Smarc.orr@gmail.com
11798881Smarc.orr@gmail.com    # Without Python, leave out all SWIG and Python content from the
11808881Smarc.orr@gmail.com    # library builds.  The option doesn't affect gem5 built as a program
11818881Smarc.orr@gmail.com    if GetOption('without_python'):
11828881Smarc.orr@gmail.com        lib_guards['skip_no_python'] = False
11838881Smarc.orr@gmail.com
11848881Smarc.orr@gmail.com    static_objs = []
11858881Smarc.orr@gmail.com    shared_objs = []
118610196SCurtis.Dunham@arm.com    for s in guarded_source_iterator(Source.source_groups[None], **lib_guards):
118710196SCurtis.Dunham@arm.com        static_objs.append(make_obj(s, True))
118810196SCurtis.Dunham@arm.com        shared_objs.append(make_obj(s, False))
1189955SN/A
119010196SCurtis.Dunham@arm.com    partial_objs = []
119110196SCurtis.Dunham@arm.com    for group, all_srcs in Source.source_groups.iteritems():
119211993Sgabeblack@google.com        # If these are the ungrouped source files, skip them.
119311993Sgabeblack@google.com        if not group:
119411993Sgabeblack@google.com            continue
119511993Sgabeblack@google.com
1196955SN/A        # Get a list of the source files compatible with the current guards.
119710196SCurtis.Dunham@arm.com        srcs = [ s for s in guarded_source_iterator(all_srcs, **lib_guards) ]
119810196SCurtis.Dunham@arm.com        # If there aren't any left, skip this group.
119911993Sgabeblack@google.com        if not srcs:
120011993Sgabeblack@google.com            continue
120111993Sgabeblack@google.com
120211993Sgabeblack@google.com        # Set up the static partially linked objects.
12031869SN/A        source_objs = [ make_obj(s, True) for s in srcs ]
120410196SCurtis.Dunham@arm.com        file_name = new_env.subst("${OBJPREFIX}lib${OBJSUFFIX}.partial")
120510196SCurtis.Dunham@arm.com        target = File(joinpath(group, file_name))
120611993Sgabeblack@google.com        partial = env.PartialStatic(target=target, source=source_objs)
120711993Sgabeblack@google.com        static_objs.append(partial)
120811993Sgabeblack@google.com
120911993Sgabeblack@google.com        # Set up the shared partially linked objects.
12109226Sandreas.hansson@arm.com        source_objs = [ make_obj(s, False) for s in srcs ]
121110196SCurtis.Dunham@arm.com        file_name = new_env.subst("${SHOBJPREFIX}lib${SHOBJSUFFIX}.partial")
121210196SCurtis.Dunham@arm.com        target = File(joinpath(group, file_name))
121311993Sgabeblack@google.com        partial = env.PartialShared(target=target, source=source_objs)
121411993Sgabeblack@google.com        shared_objs.append(partial)
121511993Sgabeblack@google.com
121611993Sgabeblack@google.com    static_date = make_obj(date_source, static=True, extra_deps=static_objs)
121710196SCurtis.Dunham@arm.com    static_objs.append(static_date)
121810196SCurtis.Dunham@arm.com
121910196SCurtis.Dunham@arm.com    shared_date = make_obj(date_source, static=False, extra_deps=shared_objs)
122011993Sgabeblack@google.com    shared_objs.append(shared_date)
122111993Sgabeblack@google.com
122211993Sgabeblack@google.com    # First make a library of everything but main() so other programs can
122311993Sgabeblack@google.com    # link against m5.
122410196SCurtis.Dunham@arm.com    static_lib = new_env.StaticLibrary(libname, static_objs)
122510196SCurtis.Dunham@arm.com    shared_lib = new_env.SharedLibrary(libname, shared_objs)
122610196SCurtis.Dunham@arm.com
122710196SCurtis.Dunham@arm.com    # Now link a stub with main() and the static library.
122810196SCurtis.Dunham@arm.com    main_objs = [ make_obj(s, True) for s in Source.get(main=True) ]
122910196SCurtis.Dunham@arm.com
123010196SCurtis.Dunham@arm.com    for test in UnitTest.all:
123110196SCurtis.Dunham@arm.com        flags = { test.target : True }
123210196SCurtis.Dunham@arm.com        test_sources = Source.get(**flags)
123310196SCurtis.Dunham@arm.com        test_objs = [ make_obj(s, static=True) for s in test_sources ]
123410196SCurtis.Dunham@arm.com        if test.main:
123510196SCurtis.Dunham@arm.com            test_objs += main_objs
123610196SCurtis.Dunham@arm.com        path = variant('unittest/%s.%s' % (test.target, label))
123710196SCurtis.Dunham@arm.com        new_env.Program(path, test_objs + static_objs)
123810196SCurtis.Dunham@arm.com
123910196SCurtis.Dunham@arm.com    progname = exename
124010196SCurtis.Dunham@arm.com    if strip:
124110196SCurtis.Dunham@arm.com        progname += '.unstripped'
124210196SCurtis.Dunham@arm.com
124310196SCurtis.Dunham@arm.com    # When linking the gem5 binary, the command line can be too big for the
124410196SCurtis.Dunham@arm.com    # shell to handle. Use "subprocess" to spawn processes without passing
124510196SCurtis.Dunham@arm.com    # through the shell to avoid this problem. That means we also can't use
1246    # shell syntax in any of the commands this will run, but that isn't
1247    # currently an issue.
1248    def spawn_with_subprocess(sh, escape, cmd, args, env):
1249        return subprocess.call(args, env=env)
1250
1251    # Since we're not running through a shell, no escaping is necessary either.
1252    targets = new_env.Program(progname, main_objs + static_objs,
1253                              SPAWN=spawn_with_subprocess,
1254                              ESCAPE=lambda x: x)
1255
1256    if strip:
1257        if sys.platform == 'sunos5':
1258            cmd = 'cp $SOURCE $TARGET; strip $TARGET'
1259        else:
1260            cmd = 'strip $SOURCE -o $TARGET'
1261        targets = new_env.Command(exename, progname,
1262                    MakeAction(cmd, Transform("STRIP")))
1263
1264    new_env.Command(secondary_exename, exename,
1265            MakeAction('ln $SOURCE $TARGET', Transform("HARDLINK")))
1266
1267    new_env.M5Binary = targets[0]
1268    return new_env
1269
1270# Start out with the compiler flags common to all compilers,
1271# i.e. they all use -g for opt and -g -pg for prof
1272ccflags = {'debug' : [], 'opt' : ['-g'], 'fast' : [], 'prof' : ['-g', '-pg'],
1273           'perf' : ['-g']}
1274
1275# Start out with the linker flags common to all linkers, i.e. -pg for
1276# prof, and -lprofiler for perf. The -lprofile flag is surrounded by
1277# no-as-needed and as-needed as the binutils linker is too clever and
1278# simply doesn't link to the library otherwise.
1279ldflags = {'debug' : [], 'opt' : [], 'fast' : [], 'prof' : ['-pg'],
1280           'perf' : ['-Wl,--no-as-needed', '-lprofiler', '-Wl,--as-needed']}
1281
1282# For Link Time Optimization, the optimisation flags used to compile
1283# individual files are decoupled from those used at link time
1284# (i.e. you can compile with -O3 and perform LTO with -O0), so we need
1285# to also update the linker flags based on the target.
1286if env['GCC']:
1287    if sys.platform == 'sunos5':
1288        ccflags['debug'] += ['-gstabs+']
1289    else:
1290        ccflags['debug'] += ['-ggdb3']
1291    ldflags['debug'] += ['-O0']
1292    # opt, fast, prof and perf all share the same cc flags, also add
1293    # the optimization to the ldflags as LTO defers the optimization
1294    # to link time
1295    for target in ['opt', 'fast', 'prof', 'perf']:
1296        ccflags[target] += ['-O3']
1297        ldflags[target] += ['-O3']
1298
1299    ccflags['fast'] += env['LTO_CCFLAGS']
1300    ldflags['fast'] += env['LTO_LDFLAGS']
1301elif env['CLANG']:
1302    ccflags['debug'] += ['-g', '-O0']
1303    # opt, fast, prof and perf all share the same cc flags
1304    for target in ['opt', 'fast', 'prof', 'perf']:
1305        ccflags[target] += ['-O3']
1306else:
1307    print 'Unknown compiler, please fix compiler options'
1308    Exit(1)
1309
1310
1311# To speed things up, we only instantiate the build environments we
1312# need.  We try to identify the needed environment for each target; if
1313# we can't, we fall back on instantiating all the environments just to
1314# be safe.
1315target_types = ['debug', 'opt', 'fast', 'prof', 'perf']
1316obj2target = {'do': 'debug', 'o': 'opt', 'fo': 'fast', 'po': 'prof',
1317              'gpo' : 'perf'}
1318
1319def identifyTarget(t):
1320    ext = t.split('.')[-1]
1321    if ext in target_types:
1322        return ext
1323    if obj2target.has_key(ext):
1324        return obj2target[ext]
1325    match = re.search(r'/tests/([^/]+)/', t)
1326    if match and match.group(1) in target_types:
1327        return match.group(1)
1328    return 'all'
1329
1330needed_envs = [identifyTarget(target) for target in BUILD_TARGETS]
1331if 'all' in needed_envs:
1332    needed_envs += target_types
1333
1334def makeEnvirons(target, source, env):
1335    # cause any later Source() calls to be fatal, as a diagnostic.
1336    Source.done()
1337
1338    envList = []
1339
1340    # Debug binary
1341    if 'debug' in needed_envs:
1342        envList.append(
1343            makeEnv(env, 'debug', '.do',
1344                    CCFLAGS = Split(ccflags['debug']),
1345                    CPPDEFINES = ['DEBUG', 'TRACING_ON=1'],
1346                    LINKFLAGS = Split(ldflags['debug'])))
1347
1348    # Optimized binary
1349    if 'opt' in needed_envs:
1350        envList.append(
1351            makeEnv(env, 'opt', '.o',
1352                    CCFLAGS = Split(ccflags['opt']),
1353                    CPPDEFINES = ['TRACING_ON=1'],
1354                    LINKFLAGS = Split(ldflags['opt'])))
1355
1356    # "Fast" binary
1357    if 'fast' in needed_envs:
1358        envList.append(
1359            makeEnv(env, 'fast', '.fo', strip = True,
1360                    CCFLAGS = Split(ccflags['fast']),
1361                    CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1362                    LINKFLAGS = Split(ldflags['fast'])))
1363
1364    # Profiled binary using gprof
1365    if 'prof' in needed_envs:
1366        envList.append(
1367            makeEnv(env, 'prof', '.po',
1368                    CCFLAGS = Split(ccflags['prof']),
1369                    CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1370                    LINKFLAGS = Split(ldflags['prof'])))
1371
1372    # Profiled binary using google-pprof
1373    if 'perf' in needed_envs:
1374        envList.append(
1375            makeEnv(env, 'perf', '.gpo',
1376                    CCFLAGS = Split(ccflags['perf']),
1377                    CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1378                    LINKFLAGS = Split(ldflags['perf'])))
1379
1380    # Set up the regression tests for each build.
1381    for e in envList:
1382        SConscript(os.path.join(env.root.abspath, 'tests', 'SConscript'),
1383                   variant_dir = variantd('tests', e.Label),
1384                   exports = { 'env' : e }, duplicate = False)
1385
1386# The MakeEnvirons Builder defers the full dependency collection until
1387# after processing the ISA definition (due to dynamically generated
1388# source files).  Add this dependency to all targets so they will wait
1389# until the environments are completely set up.  Otherwise, a second
1390# process (e.g. -j2 or higher) will try to compile the requested target,
1391# not know how, and fail.
1392env.Append(BUILDERS = {'MakeEnvirons' :
1393                        Builder(action=MakeAction(makeEnvirons,
1394                                                  Transform("ENVIRONS", 1)))})
1395
1396isa_target = env['PHONY_BASE'] + '-deps'
1397environs   = env['PHONY_BASE'] + '-environs'
1398env.Depends('#all-deps',     isa_target)
1399env.Depends('#all-environs', environs)
1400env.ScanISA(isa_target, File('arch/%s/generated/inc.d' % env['TARGET_ISA']))
1401envSetup = env.MakeEnvirons(environs, isa_target)
1402
1403# make sure no -deps targets occur before all ISAs are complete
1404env.Depends(isa_target, '#all-isas')
1405# likewise for -environs targets and all the -deps targets
1406env.Depends(environs, '#all-deps')
1407