SConscript revision 13730
1955SN/A# -*- mode:python -*-
2955SN/A
31762SN/A# Copyright (c) 2018 ARM Limited
4955SN/A#
5955SN/A# The license below extends only to copyright in the software and shall
6955SN/A# not be construed as granting a license to any other intellectual
7955SN/A# property including but not limited to intellectual property relating
8955SN/A# to a hardware implementation of the functionality of the software
9955SN/A# licensed hereunder.  You may use the software subject to the license
10955SN/A# terms below provided that you ensure that this notice is replicated
11955SN/A# unmodified and in its entirety in all distributions of the software,
12955SN/A# modified or unmodified, in source code or in binary form.
13955SN/A#
14955SN/A# Copyright (c) 2004-2005 The Regents of The University of Michigan
15955SN/A# All rights reserved.
16955SN/A#
17955SN/A# Redistribution and use in source and binary forms, with or without
18955SN/A# modification, are permitted provided that the following conditions are
19955SN/A# met: redistributions of source code must retain the above copyright
20955SN/A# notice, this list of conditions and the following disclaimer;
21955SN/A# redistributions in binary form must reproduce the above copyright
22955SN/A# notice, this list of conditions and the following disclaimer in the
23955SN/A# documentation and/or other materials provided with the distribution;
24955SN/A# neither the name of the copyright holders nor the names of its
25955SN/A# contributors may be used to endorse or promote products derived from
26955SN/A# this software without specific prior written permission.
27955SN/A#
282665Ssaidi@eecs.umich.edu# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
294762Snate@binkert.org# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
30955SN/A# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
315522Snate@binkert.org# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
326143Snate@binkert.org# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
334762Snate@binkert.org# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
345522Snate@binkert.org# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
35955SN/A# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
365522Snate@binkert.org# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
37955SN/A# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
385522Snate@binkert.org# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
394202Sbinkertn@umich.edu#
405742Snate@binkert.org# Authors: Nathan Binkert
41955SN/A
424381Sbinkertn@umich.edufrom __future__ import print_function
434381Sbinkertn@umich.edu
448334Snate@binkert.orgimport array
45955SN/Aimport bisect
46955SN/Aimport functools
474202Sbinkertn@umich.eduimport imp
48955SN/Aimport os
494382Sbinkertn@umich.eduimport re
504382Sbinkertn@umich.eduimport sys
514382Sbinkertn@umich.eduimport zlib
526654Snate@binkert.org
535517Snate@binkert.orgfrom os.path import basename, dirname, exists, isdir, isfile, join as joinpath
548614Sgblack@eecs.umich.edu
557674Snate@binkert.orgimport SCons
566143Snate@binkert.org
576143Snate@binkert.orgfrom gem5_scons import Transform
586143Snate@binkert.org
598233Snate@binkert.org# This file defines how to build a particular configuration of gem5
608233Snate@binkert.org# based on variable settings in the 'env' build environment.
618233Snate@binkert.org
628233Snate@binkert.orgImport('*')
638233Snate@binkert.org
648334Snate@binkert.org# Children need to see the environment
658334Snate@binkert.orgExport('env')
668233Snate@binkert.org
678233Snate@binkert.orgbuild_env = [(opt, env[opt]) for opt in export_vars]
688233Snate@binkert.org
698233Snate@binkert.orgfrom m5.util import code_formatter, compareVersions
708233Snate@binkert.org
718233Snate@binkert.org########################################################################
726143Snate@binkert.org# Code for adding source files of various types
738233Snate@binkert.org#
748233Snate@binkert.org# When specifying a source file of some type, a set of tags can be
758233Snate@binkert.org# specified for that file.
766143Snate@binkert.org
776143Snate@binkert.orgclass SourceFilter(object):
786143Snate@binkert.org    def __init__(self, predicate):
796143Snate@binkert.org        self.predicate = predicate
808233Snate@binkert.org
818233Snate@binkert.org    def __or__(self, other):
828233Snate@binkert.org        return SourceFilter(lambda tags: self.predicate(tags) or
836143Snate@binkert.org                                         other.predicate(tags))
848233Snate@binkert.org
858233Snate@binkert.org    def __and__(self, other):
868233Snate@binkert.org        return SourceFilter(lambda tags: self.predicate(tags) and
878233Snate@binkert.org                                         other.predicate(tags))
886143Snate@binkert.org
896143Snate@binkert.orgdef with_tags_that(predicate):
906143Snate@binkert.org    '''Return a list of sources with tags that satisfy a predicate.'''
914762Snate@binkert.org    return SourceFilter(predicate)
926143Snate@binkert.org
938233Snate@binkert.orgdef with_any_tags(*tags):
948233Snate@binkert.org    '''Return a list of sources with any of the supplied tags.'''
958233Snate@binkert.org    return SourceFilter(lambda stags: len(set(tags) & stags) > 0)
968233Snate@binkert.org
978233Snate@binkert.orgdef with_all_tags(*tags):
986143Snate@binkert.org    '''Return a list of sources with all of the supplied tags.'''
998233Snate@binkert.org    return SourceFilter(lambda stags: set(tags) <= stags)
1008233Snate@binkert.org
1018233Snate@binkert.orgdef with_tag(tag):
1028233Snate@binkert.org    '''Return a list of sources with the supplied tag.'''
1036143Snate@binkert.org    return SourceFilter(lambda stags: tag in stags)
1046143Snate@binkert.org
1056143Snate@binkert.orgdef without_tags(*tags):
1066143Snate@binkert.org    '''Return a list of sources without any of the supplied tags.'''
1076143Snate@binkert.org    return SourceFilter(lambda stags: len(set(tags) & stags) == 0)
1086143Snate@binkert.org
1096143Snate@binkert.orgdef without_tag(tag):
1106143Snate@binkert.org    '''Return a list of sources with the supplied tag.'''
1116143Snate@binkert.org    return SourceFilter(lambda stags: tag not in stags)
1127065Snate@binkert.org
1136143Snate@binkert.orgsource_filter_factories = {
1148233Snate@binkert.org    'with_tags_that': with_tags_that,
1158233Snate@binkert.org    'with_any_tags': with_any_tags,
1168233Snate@binkert.org    'with_all_tags': with_all_tags,
1178233Snate@binkert.org    'with_tag': with_tag,
1188233Snate@binkert.org    'without_tags': without_tags,
1198233Snate@binkert.org    'without_tag': without_tag,
1208233Snate@binkert.org}
1218233Snate@binkert.org
1228233Snate@binkert.orgExport(source_filter_factories)
1238233Snate@binkert.org
1248233Snate@binkert.orgclass SourceList(list):
1258233Snate@binkert.org    def apply_filter(self, f):
1268233Snate@binkert.org        def match(source):
1278233Snate@binkert.org            return f.predicate(source.tags)
1288233Snate@binkert.org        return SourceList(filter(match, self))
1298233Snate@binkert.org
1308233Snate@binkert.org    def __getattr__(self, name):
1318233Snate@binkert.org        func = source_filter_factories.get(name, None)
1328233Snate@binkert.org        if not func:
1338233Snate@binkert.org            raise AttributeError
1348233Snate@binkert.org
1358233Snate@binkert.org        @functools.wraps(func)
1368233Snate@binkert.org        def wrapper(*args, **kwargs):
1378233Snate@binkert.org            return self.apply_filter(func(*args, **kwargs))
1388233Snate@binkert.org        return wrapper
1398233Snate@binkert.org
1408233Snate@binkert.orgclass SourceMeta(type):
1418233Snate@binkert.org    '''Meta class for source files that keeps track of all files of a
1428233Snate@binkert.org    particular type.'''
1438233Snate@binkert.org    def __init__(cls, name, bases, dict):
1448233Snate@binkert.org        super(SourceMeta, cls).__init__(name, bases, dict)
1456143Snate@binkert.org        cls.all = SourceList()
1466143Snate@binkert.org
1476143Snate@binkert.orgclass SourceFile(object):
1486143Snate@binkert.org    '''Base object that encapsulates the notion of a source file.
1496143Snate@binkert.org    This includes, the source node, target node, various manipulations
1506143Snate@binkert.org    of those.  A source file also specifies a set of tags which
1516143Snate@binkert.org    describing arbitrary properties of the source file.'''
1526143Snate@binkert.org    __metaclass__ = SourceMeta
1536143Snate@binkert.org
1548233Snate@binkert.org    static_objs = {}
1558233Snate@binkert.org    shared_objs = {}
1568233Snate@binkert.org
1576143Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
1586143Snate@binkert.org        if tags is None:
1596143Snate@binkert.org            tags='gem5 lib'
1606143Snate@binkert.org        if isinstance(tags, basestring):
1616143Snate@binkert.org            tags = set([tags])
1626143Snate@binkert.org        if not isinstance(tags, set):
1635522Snate@binkert.org            tags = set(tags)
1646143Snate@binkert.org        self.tags = tags
1656143Snate@binkert.org
1666143Snate@binkert.org        if add_tags:
1676143Snate@binkert.org            if isinstance(add_tags, basestring):
1688233Snate@binkert.org                add_tags = set([add_tags])
1698233Snate@binkert.org            if not isinstance(add_tags, set):
1708233Snate@binkert.org                add_tags = set(add_tags)
1716143Snate@binkert.org            self.tags |= add_tags
1726143Snate@binkert.org
1736143Snate@binkert.org        tnode = source
1746143Snate@binkert.org        if not isinstance(source, SCons.Node.FS.File):
1755522Snate@binkert.org            tnode = File(source)
1765522Snate@binkert.org
1775522Snate@binkert.org        self.tnode = tnode
1785522Snate@binkert.org        self.snode = tnode.srcnode()
1795604Snate@binkert.org
1805604Snate@binkert.org        for base in type(self).__mro__:
1816143Snate@binkert.org            if issubclass(base, SourceFile):
1826143Snate@binkert.org                base.all.append(self)
1834762Snate@binkert.org
1844762Snate@binkert.org    def static(self, env):
1856143Snate@binkert.org        key = (self.tnode, env['OBJSUFFIX'])
1866727Ssteve.reinhardt@amd.com        if not key in self.static_objs:
1876727Ssteve.reinhardt@amd.com            self.static_objs[key] = env.StaticObject(self.tnode)
1886727Ssteve.reinhardt@amd.com        return self.static_objs[key]
1894762Snate@binkert.org
1906143Snate@binkert.org    def shared(self, env):
1916143Snate@binkert.org        key = (self.tnode, env['OBJSUFFIX'])
1926143Snate@binkert.org        if not key in self.shared_objs:
1936143Snate@binkert.org            self.shared_objs[key] = env.SharedObject(self.tnode)
1946727Ssteve.reinhardt@amd.com        return self.shared_objs[key]
1956143Snate@binkert.org
1967674Snate@binkert.org    @property
1977674Snate@binkert.org    def filename(self):
1985604Snate@binkert.org        return str(self.tnode)
1996143Snate@binkert.org
2006143Snate@binkert.org    @property
2016143Snate@binkert.org    def dirname(self):
2024762Snate@binkert.org        return dirname(self.filename)
2036143Snate@binkert.org
2044762Snate@binkert.org    @property
2054762Snate@binkert.org    def basename(self):
2064762Snate@binkert.org        return basename(self.filename)
2076143Snate@binkert.org
2086143Snate@binkert.org    @property
2094762Snate@binkert.org    def extname(self):
2108233Snate@binkert.org        index = self.basename.rfind('.')
2118233Snate@binkert.org        if index <= 0:
2128233Snate@binkert.org            # dot files aren't extensions
2138233Snate@binkert.org            return self.basename, None
2146143Snate@binkert.org
2156143Snate@binkert.org        return self.basename[:index], self.basename[index+1:]
2164762Snate@binkert.org
2176143Snate@binkert.org    def __lt__(self, other): return self.filename < other.filename
2184762Snate@binkert.org    def __le__(self, other): return self.filename <= other.filename
2196143Snate@binkert.org    def __gt__(self, other): return self.filename > other.filename
2204762Snate@binkert.org    def __ge__(self, other): return self.filename >= other.filename
2216143Snate@binkert.org    def __eq__(self, other): return self.filename == other.filename
2228233Snate@binkert.org    def __ne__(self, other): return self.filename != other.filename
2238233Snate@binkert.org
2248233Snate@binkert.orgdef blobToCpp(data, symbol, cpp_code, hpp_code=None, namespace=None):
2256143Snate@binkert.org    '''
2266143Snate@binkert.org    Convert bytes data into C++ .cpp and .hh uint8_t byte array
2276143Snate@binkert.org    code containing that binary data.
2286143Snate@binkert.org
2296143Snate@binkert.org    :param data: binary data to be converted to C++
2306143Snate@binkert.org    :param symbol: name of the symbol
2316143Snate@binkert.org    :param cpp_code: append the generated cpp_code to this object
2326143Snate@binkert.org    :param hpp_code: append the generated hpp_code to this object
2338233Snate@binkert.org                     If None, ignore it. Otherwise, also include it
2348233Snate@binkert.org                     in the .cpp file.
235955SN/A    :param namespace: namespace to put the symbol into. If None,
2368235Snate@binkert.org                      don't put the symbols into any namespace.
2378235Snate@binkert.org    '''
2386143Snate@binkert.org    symbol_len_declaration = 'const std::size_t {}_len'.format(symbol)
2398235Snate@binkert.org    symbol_declaration = 'const std::uint8_t {}[]'.format(symbol)
2408235Snate@binkert.org    if hpp_code is not None:
2418235Snate@binkert.org        cpp_code('''\
2428235Snate@binkert.org#include "blobs/{}.hh"
2438235Snate@binkert.org'''.format(symbol))
2448235Snate@binkert.org        hpp_code('''\
2458235Snate@binkert.org#include <cstddef>
2468235Snate@binkert.org#include <cstdint>
2478235Snate@binkert.org''')
2488235Snate@binkert.org        if namespace is not None:
2498235Snate@binkert.org            hpp_code('namespace {} {{'.format(namespace))
2508235Snate@binkert.org        hpp_code('extern ' + symbol_len_declaration + ';')
2518235Snate@binkert.org        hpp_code('extern ' + symbol_declaration + ';')
2528235Snate@binkert.org        if namespace is not None:
2538235Snate@binkert.org            hpp_code('}')
2548235Snate@binkert.org    if namespace is not None:
2558235Snate@binkert.org        cpp_code('namespace {} {{'.format(namespace))
2565584Snate@binkert.org    if hpp_code is not None:
2574382Sbinkertn@umich.edu        cpp_code(symbol_len_declaration + ' = {};'.format(len(data)))
2584202Sbinkertn@umich.edu    cpp_code(symbol_declaration + ' = {')
2594382Sbinkertn@umich.edu    cpp_code.indent()
2604382Sbinkertn@umich.edu    step = 16
2614382Sbinkertn@umich.edu    for i in xrange(0, len(data), step):
2625584Snate@binkert.org        x = array.array('B', data[i:i+step])
2634382Sbinkertn@umich.edu        cpp_code(''.join('%d,' % d for d in x))
2644382Sbinkertn@umich.edu    cpp_code.dedent()
2654382Sbinkertn@umich.edu    cpp_code('};')
2668232Snate@binkert.org    if namespace is not None:
2675192Ssaidi@eecs.umich.edu        cpp_code('}')
2688232Snate@binkert.org
2698232Snate@binkert.orgdef Blob(blob_path, symbol):
2708232Snate@binkert.org    '''
2715192Ssaidi@eecs.umich.edu    Embed an arbitrary blob into the gem5 executable,
2728232Snate@binkert.org    and make it accessible to C++ as a byte array.
2735192Ssaidi@eecs.umich.edu    '''
2745799Snate@binkert.org    blob_path = os.path.abspath(blob_path)
2758232Snate@binkert.org    blob_out_dir = os.path.join(env['BUILDDIR'], 'blobs')
2765192Ssaidi@eecs.umich.edu    path_noext = joinpath(blob_out_dir, symbol)
2775192Ssaidi@eecs.umich.edu    cpp_path = path_noext + '.cc'
2785192Ssaidi@eecs.umich.edu    hpp_path = path_noext + '.hh'
2798232Snate@binkert.org    def embedBlob(target, source, env):
2805192Ssaidi@eecs.umich.edu        data = file(str(source[0]), 'r').read()
2818232Snate@binkert.org        cpp_code = code_formatter()
2825192Ssaidi@eecs.umich.edu        hpp_code = code_formatter()
2835192Ssaidi@eecs.umich.edu        blobToCpp(data, symbol, cpp_code, hpp_code, namespace='Blobs')
2845192Ssaidi@eecs.umich.edu        cpp_path = str(target[0])
2855192Ssaidi@eecs.umich.edu        hpp_path = str(target[1])
2864382Sbinkertn@umich.edu        cpp_dir = os.path.split(cpp_path)[0]
2874382Sbinkertn@umich.edu        if not os.path.exists(cpp_dir):
2884382Sbinkertn@umich.edu            os.makedirs(cpp_dir)
2892667Sstever@eecs.umich.edu        cpp_code.write(cpp_path)
2902667Sstever@eecs.umich.edu        hpp_code.write(hpp_path)
2912667Sstever@eecs.umich.edu    env.Command([cpp_path, hpp_path], blob_path,
2922667Sstever@eecs.umich.edu                MakeAction(embedBlob, Transform("EMBED BLOB")))
2932667Sstever@eecs.umich.edu    Source(cpp_path)
2942667Sstever@eecs.umich.edu
2955742Snate@binkert.orgdef GdbXml(xml_id, symbol):
2965742Snate@binkert.org    Blob(joinpath(gdb_xml_dir, xml_id), symbol)
2975742Snate@binkert.org
2985793Snate@binkert.orgclass Source(SourceFile):
2998334Snate@binkert.org    ungrouped_tag = 'No link group'
3005793Snate@binkert.org    source_groups = set()
3015793Snate@binkert.org
3025793Snate@binkert.org    _current_group_tag = ungrouped_tag
3034382Sbinkertn@umich.edu
3044762Snate@binkert.org    @staticmethod
3055344Sstever@gmail.com    def link_group_tag(group):
3064382Sbinkertn@umich.edu        return 'link group: %s' % group
3075341Sstever@gmail.com
3085742Snate@binkert.org    @classmethod
3095742Snate@binkert.org    def set_group(cls, group):
3105742Snate@binkert.org        new_tag = Source.link_group_tag(group)
3115742Snate@binkert.org        Source._current_group_tag = new_tag
3125742Snate@binkert.org        Source.source_groups.add(group)
3134762Snate@binkert.org
3145742Snate@binkert.org    def _add_link_group_tag(self):
3155742Snate@binkert.org        self.tags.add(Source._current_group_tag)
3167722Sgblack@eecs.umich.edu
3175742Snate@binkert.org    '''Add a c/c++ source file to the build'''
3185742Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
3195742Snate@binkert.org        '''specify the source file, and any tags'''
3205742Snate@binkert.org        super(Source, self).__init__(source, tags, add_tags)
3218242Sbradley.danofsky@amd.com        self._add_link_group_tag()
3228242Sbradley.danofsky@amd.com
3238242Sbradley.danofsky@amd.comclass PySource(SourceFile):
3248242Sbradley.danofsky@amd.com    '''Add a python source file to the named package'''
3255341Sstever@gmail.com    invalid_sym_char = re.compile('[^A-z0-9_]')
3265742Snate@binkert.org    modules = {}
3277722Sgblack@eecs.umich.edu    tnodes = {}
3284773Snate@binkert.org    symnames = {}
3296108Snate@binkert.org
3301858SN/A    def __init__(self, package, source, tags=None, add_tags=None):
3311085SN/A        '''specify the python package, the source file, and any tags'''
3326658Snate@binkert.org        super(PySource, self).__init__(source, tags, add_tags)
3336658Snate@binkert.org
3347673Snate@binkert.org        modname,ext = self.extname
3356658Snate@binkert.org        assert ext == 'py'
3366658Snate@binkert.org
3376658Snate@binkert.org        if package:
3386658Snate@binkert.org            path = package.split('.')
3396658Snate@binkert.org        else:
3406658Snate@binkert.org            path = []
3416658Snate@binkert.org
3427673Snate@binkert.org        modpath = path[:]
3437673Snate@binkert.org        if modname != '__init__':
3447673Snate@binkert.org            modpath += [ modname ]
3457673Snate@binkert.org        modpath = '.'.join(modpath)
3467673Snate@binkert.org
3477673Snate@binkert.org        arcpath = path + [ self.basename ]
3487673Snate@binkert.org        abspath = self.snode.abspath
3496658Snate@binkert.org        if not exists(abspath):
3507673Snate@binkert.org            abspath = self.tnode.abspath
3517673Snate@binkert.org
3527673Snate@binkert.org        self.package = package
3537673Snate@binkert.org        self.modname = modname
3547673Snate@binkert.org        self.modpath = modpath
3557673Snate@binkert.org        self.arcname = joinpath(*arcpath)
3567673Snate@binkert.org        self.abspath = abspath
3577673Snate@binkert.org        self.compiled = File(self.filename + 'c')
3587673Snate@binkert.org        self.cpp = File(self.filename + '.cc')
3597673Snate@binkert.org        self.symname = PySource.invalid_sym_char.sub('_', modpath)
3606658Snate@binkert.org
3617756SAli.Saidi@ARM.com        PySource.modules[modpath] = self
3627816Ssteve.reinhardt@amd.com        PySource.tnodes[self.tnode] = self
3636658Snate@binkert.org        PySource.symnames[self.symname] = self
3644382Sbinkertn@umich.edu
3654382Sbinkertn@umich.educlass SimObject(PySource):
3664762Snate@binkert.org    '''Add a SimObject python file as a python source object and add
3674762Snate@binkert.org    it to a list of sim object modules'''
3684762Snate@binkert.org
3696654Snate@binkert.org    fixed = False
3706654Snate@binkert.org    modnames = []
3715517Snate@binkert.org
3725517Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
3735517Snate@binkert.org        '''Specify the source file and any tags (automatically in
3745517Snate@binkert.org        the m5.objects package)'''
3755517Snate@binkert.org        super(SimObject, self).__init__('m5.objects', source, tags, add_tags)
3765517Snate@binkert.org        if self.fixed:
3775517Snate@binkert.org            raise AttributeError, "Too late to call SimObject now."
3785517Snate@binkert.org
3795517Snate@binkert.org        bisect.insort_right(SimObject.modnames, self.modname)
3805517Snate@binkert.org
3815517Snate@binkert.orgclass ProtoBuf(SourceFile):
3825517Snate@binkert.org    '''Add a Protocol Buffer to build'''
3835517Snate@binkert.org
3845517Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
3855517Snate@binkert.org        '''Specify the source file, and any tags'''
3865517Snate@binkert.org        super(ProtoBuf, self).__init__(source, tags, add_tags)
3875517Snate@binkert.org
3886654Snate@binkert.org        # Get the file name and the extension
3895517Snate@binkert.org        modname,ext = self.extname
3905517Snate@binkert.org        assert ext == 'proto'
3915517Snate@binkert.org
3925517Snate@binkert.org        # Currently, we stick to generating the C++ headers, so we
3935517Snate@binkert.org        # only need to track the source and header.
3945517Snate@binkert.org        self.cc_file = File(modname + '.pb.cc')
3955517Snate@binkert.org        self.hh_file = File(modname + '.pb.h')
3965517Snate@binkert.org
3976143Snate@binkert.org
3986654Snate@binkert.orgexectuable_classes = []
3995517Snate@binkert.orgclass ExecutableMeta(type):
4005517Snate@binkert.org    '''Meta class for Executables.'''
4015517Snate@binkert.org    all = []
4025517Snate@binkert.org
4035517Snate@binkert.org    def __init__(cls, name, bases, d):
4045517Snate@binkert.org        if not d.pop('abstract', False):
4055517Snate@binkert.org            ExecutableMeta.all.append(cls)
4065517Snate@binkert.org        super(ExecutableMeta, cls).__init__(name, bases, d)
4075517Snate@binkert.org
4085517Snate@binkert.org        cls.all = []
4095517Snate@binkert.org
4105517Snate@binkert.orgclass Executable(object):
4115517Snate@binkert.org    '''Base class for creating an executable from sources.'''
4125517Snate@binkert.org    __metaclass__ = ExecutableMeta
4136654Snate@binkert.org
4146654Snate@binkert.org    abstract = True
4155517Snate@binkert.org
4165517Snate@binkert.org    def __init__(self, target, *srcs_and_filts):
4176143Snate@binkert.org        '''Specify the target name and any sources. Sources that are
4186143Snate@binkert.org        not SourceFiles are evalued with Source().'''
4196143Snate@binkert.org        super(Executable, self).__init__()
4206727Ssteve.reinhardt@amd.com        self.all.append(self)
4215517Snate@binkert.org        self.target = target
4226727Ssteve.reinhardt@amd.com
4235517Snate@binkert.org        isFilter = lambda arg: isinstance(arg, SourceFilter)
4245517Snate@binkert.org        self.filters = filter(isFilter, srcs_and_filts)
4255517Snate@binkert.org        sources = filter(lambda a: not isFilter(a), srcs_and_filts)
4266654Snate@binkert.org
4276654Snate@binkert.org        srcs = SourceList()
4287673Snate@binkert.org        for src in sources:
4296654Snate@binkert.org            if not isinstance(src, SourceFile):
4306654Snate@binkert.org                src = Source(src, tags=[])
4316654Snate@binkert.org            srcs.append(src)
4326654Snate@binkert.org
4335517Snate@binkert.org        self.sources = srcs
4345517Snate@binkert.org        self.dir = Dir('.')
4355517Snate@binkert.org
4366143Snate@binkert.org    def path(self, env):
4375517Snate@binkert.org        return self.dir.File(self.target + '.' + env['EXE_SUFFIX'])
4384762Snate@binkert.org
4395517Snate@binkert.org    def srcs_to_objs(self, env, sources):
4405517Snate@binkert.org        return list([ s.static(env) for s in sources ])
4416143Snate@binkert.org
4426143Snate@binkert.org    @classmethod
4435517Snate@binkert.org    def declare_all(cls, env):
4445517Snate@binkert.org        return list([ instance.declare(env) for instance in cls.all ])
4455517Snate@binkert.org
4465517Snate@binkert.org    def declare(self, env, objs=None):
4475517Snate@binkert.org        if objs is None:
4485517Snate@binkert.org            objs = self.srcs_to_objs(env, self.sources)
4495517Snate@binkert.org
4505517Snate@binkert.org        env = env.Clone()
4515517Snate@binkert.org        env['BIN_RPATH_PREFIX'] = os.path.relpath(
4528596Ssteve.reinhardt@amd.com                env['BUILDDIR'], self.path(env).dir.abspath)
4538596Ssteve.reinhardt@amd.com
4548596Ssteve.reinhardt@amd.com        if env['STRIP_EXES']:
4558596Ssteve.reinhardt@amd.com            stripped = self.path(env)
4568596Ssteve.reinhardt@amd.com            unstripped = env.File(str(stripped) + '.unstripped')
4578596Ssteve.reinhardt@amd.com            if sys.platform == 'sunos5':
4588596Ssteve.reinhardt@amd.com                cmd = 'cp $SOURCE $TARGET; strip $TARGET'
4596143Snate@binkert.org            else:
4605517Snate@binkert.org                cmd = 'strip $SOURCE -o $TARGET'
4616654Snate@binkert.org            env.Program(unstripped, objs)
4626654Snate@binkert.org            return env.Command(stripped, unstripped,
4636654Snate@binkert.org                               MakeAction(cmd, Transform("STRIP")))
4646654Snate@binkert.org        else:
4656654Snate@binkert.org            return env.Program(self.path(env), objs)
4666654Snate@binkert.org
4675517Snate@binkert.orgclass UnitTest(Executable):
4685517Snate@binkert.org    '''Create a UnitTest'''
4695517Snate@binkert.org    def __init__(self, target, *srcs_and_filts, **kwargs):
4708596Ssteve.reinhardt@amd.com        super(UnitTest, self).__init__(target, *srcs_and_filts)
4718596Ssteve.reinhardt@amd.com
4724762Snate@binkert.org        self.main = kwargs.get('main', False)
4734762Snate@binkert.org
4744762Snate@binkert.org    def declare(self, env):
4754762Snate@binkert.org        sources = list(self.sources)
4764762Snate@binkert.org        for f in self.filters:
4774762Snate@binkert.org            sources += Source.all.apply_filter(f)
4787675Snate@binkert.org        objs = self.srcs_to_objs(env, sources) + env['STATIC_OBJS']
4794762Snate@binkert.org        if self.main:
4804762Snate@binkert.org            objs += env['MAIN_OBJS']
4814762Snate@binkert.org        return super(UnitTest, self).declare(env, objs)
4824762Snate@binkert.org
4834382Sbinkertn@umich.educlass GTest(Executable):
4844382Sbinkertn@umich.edu    '''Create a unit test based on the google test framework.'''
4855517Snate@binkert.org    all = []
4866654Snate@binkert.org    def __init__(self, *srcs_and_filts, **kwargs):
4875517Snate@binkert.org        super(GTest, self).__init__(*srcs_and_filts)
4888126Sgblack@eecs.umich.edu
4896654Snate@binkert.org        self.skip_lib = kwargs.pop('skip_lib', False)
4907673Snate@binkert.org
4916654Snate@binkert.org    @classmethod
4926654Snate@binkert.org    def declare_all(cls, env):
4936654Snate@binkert.org        env = env.Clone()
4946654Snate@binkert.org        env.Append(LIBS=env['GTEST_LIBS'])
4956654Snate@binkert.org        env.Append(CPPFLAGS=env['GTEST_CPPFLAGS'])
4966654Snate@binkert.org        env['GTEST_LIB_SOURCES'] = Source.all.with_tag('gtest lib')
4976654Snate@binkert.org        env['GTEST_OUT_DIR'] = \
4986669Snate@binkert.org            Dir(env['BUILDDIR']).Dir('unittests.' + env['EXE_SUFFIX'])
4996669Snate@binkert.org        return super(GTest, cls).declare_all(env)
5006669Snate@binkert.org
5016669Snate@binkert.org    def declare(self, env):
5026669Snate@binkert.org        sources = list(self.sources)
5036669Snate@binkert.org        if not self.skip_lib:
5046654Snate@binkert.org            sources += env['GTEST_LIB_SOURCES']
5057673Snate@binkert.org        for f in self.filters:
5065517Snate@binkert.org            sources += Source.all.apply_filter(f)
5078126Sgblack@eecs.umich.edu        objs = self.srcs_to_objs(env, sources)
5085798Snate@binkert.org
5097756SAli.Saidi@ARM.com        binary = super(GTest, self).declare(env, objs)
5107816Ssteve.reinhardt@amd.com
5115798Snate@binkert.org        out_dir = env['GTEST_OUT_DIR']
5125798Snate@binkert.org        xml_file = out_dir.Dir(str(self.dir)).File(self.target + '.xml')
5135517Snate@binkert.org        AlwaysBuild(env.Command(xml_file, binary,
5145517Snate@binkert.org            "${SOURCES[0]} --gtest_output=xml:${TARGETS[0]}"))
5157673Snate@binkert.org
5165517Snate@binkert.org        return binary
5175517Snate@binkert.org
5187673Snate@binkert.orgclass Gem5(Executable):
5197673Snate@binkert.org    '''Create a gem5 executable.'''
5205517Snate@binkert.org
5215798Snate@binkert.org    def __init__(self, target):
5225798Snate@binkert.org        super(Gem5, self).__init__(target)
5238333Snate@binkert.org
5247816Ssteve.reinhardt@amd.com    def declare(self, env):
5255798Snate@binkert.org        objs = env['MAIN_OBJS'] + env['STATIC_OBJS']
5265798Snate@binkert.org        return super(Gem5, self).declare(env, objs)
5274762Snate@binkert.org
5284762Snate@binkert.org
5294762Snate@binkert.org# Children should have access
5304762Snate@binkert.orgExport('Blob')
5314762Snate@binkert.orgExport('GdbXml')
5328596Ssteve.reinhardt@amd.comExport('Source')
5335517Snate@binkert.orgExport('PySource')
5345517Snate@binkert.orgExport('SimObject')
5355517Snate@binkert.orgExport('ProtoBuf')
5365517Snate@binkert.orgExport('Executable')
5375517Snate@binkert.orgExport('UnitTest')
5387673Snate@binkert.orgExport('GTest')
5398596Ssteve.reinhardt@amd.com
5407673Snate@binkert.org########################################################################
5415517Snate@binkert.org#
5428596Ssteve.reinhardt@amd.com# Debug Flags
5435517Snate@binkert.org#
5445517Snate@binkert.orgdebug_flags = {}
5455517Snate@binkert.orgdef DebugFlag(name, desc=None):
5468596Ssteve.reinhardt@amd.com    if name in debug_flags:
5475517Snate@binkert.org        raise AttributeError, "Flag %s already specified" % name
5487673Snate@binkert.org    debug_flags[name] = (name, (), desc)
5497673Snate@binkert.org
5507673Snate@binkert.orgdef CompoundFlag(name, flags, desc=None):
5515517Snate@binkert.org    if name in debug_flags:
5525517Snate@binkert.org        raise AttributeError, "Flag %s already specified" % name
5535517Snate@binkert.org
5545517Snate@binkert.org    compound = tuple(flags)
5555517Snate@binkert.org    debug_flags[name] = (name, compound, desc)
5565517Snate@binkert.org
5575517Snate@binkert.orgExport('DebugFlag')
5587673Snate@binkert.orgExport('CompoundFlag')
5597673Snate@binkert.org
5607673Snate@binkert.org########################################################################
5615517Snate@binkert.org#
5628596Ssteve.reinhardt@amd.com# Set some compiler variables
5635517Snate@binkert.org#
5645517Snate@binkert.org
5655517Snate@binkert.org# Include file paths are rooted in this directory.  SCons will
5665517Snate@binkert.org# automatically expand '.' to refer to both the source directory and
5675517Snate@binkert.org# the corresponding build directory to pick up generated include
5687673Snate@binkert.org# files.
5697673Snate@binkert.orgenv.Append(CPPPATH=Dir('.'))
5707673Snate@binkert.org
5715517Snate@binkert.orgfor extra_dir in extras_dir_list:
5728596Ssteve.reinhardt@amd.com    env.Append(CPPPATH=Dir(extra_dir))
5737675Snate@binkert.org
5747675Snate@binkert.org# Workaround for bug in SCons version > 0.97d20071212
5757675Snate@binkert.org# Scons bug id: 2006 gem5 Bug id: 308
5767675Snate@binkert.orgfor root, dirs, files in os.walk(base_dir, topdown=True):
5777675Snate@binkert.org    Dir(root[len(base_dir) + 1:])
5787675Snate@binkert.org
5798596Ssteve.reinhardt@amd.com########################################################################
5807675Snate@binkert.org#
5817675Snate@binkert.org# Walk the tree and execute all SConscripts in subdirectories
5828596Ssteve.reinhardt@amd.com#
5838596Ssteve.reinhardt@amd.com
5848596Ssteve.reinhardt@amd.comhere = Dir('.').srcnode().abspath
5858596Ssteve.reinhardt@amd.comfor root, dirs, files in os.walk(base_dir, topdown=True):
5868596Ssteve.reinhardt@amd.com    if root == here:
5878596Ssteve.reinhardt@amd.com        # we don't want to recurse back into this SConscript
5888596Ssteve.reinhardt@amd.com        continue
5898596Ssteve.reinhardt@amd.com
5908596Ssteve.reinhardt@amd.com    if 'SConscript' in files:
5914762Snate@binkert.org        build_dir = joinpath(env['BUILDDIR'], root[len(base_dir) + 1:])
5926143Snate@binkert.org        Source.set_group(build_dir)
5936143Snate@binkert.org        SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir)
5946143Snate@binkert.org
5954762Snate@binkert.orgfor extra_dir in extras_dir_list:
5964762Snate@binkert.org    prefix_len = len(dirname(extra_dir)) + 1
5974762Snate@binkert.org
5987756SAli.Saidi@ARM.com    # Also add the corresponding build directory to pick up generated
5998596Ssteve.reinhardt@amd.com    # include files.
6004762Snate@binkert.org    env.Append(CPPPATH=Dir(joinpath(env['BUILDDIR'], extra_dir[prefix_len:])))
6014762Snate@binkert.org
6028596Ssteve.reinhardt@amd.com    for root, dirs, files in os.walk(extra_dir, topdown=True):
6035463Snate@binkert.org        # if build lives in the extras directory, don't walk down it
6048596Ssteve.reinhardt@amd.com        if 'build' in dirs:
6058596Ssteve.reinhardt@amd.com            dirs.remove('build')
6065463Snate@binkert.org
6077756SAli.Saidi@ARM.com        if 'SConscript' in files:
6088596Ssteve.reinhardt@amd.com            build_dir = joinpath(env['BUILDDIR'], root[prefix_len:])
6094762Snate@binkert.org            SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir)
6107677Snate@binkert.org
6114762Snate@binkert.orgfor opt in export_vars:
6124762Snate@binkert.org    env.ConfigFile(opt)
6136143Snate@binkert.org
6146143Snate@binkert.orgdef makeTheISA(source, target, env):
6156143Snate@binkert.org    isas = [ src.get_contents() for src in source ]
6164762Snate@binkert.org    target_isa = env['TARGET_ISA']
6174762Snate@binkert.org    def define(isa):
6187756SAli.Saidi@ARM.com        return isa.upper() + '_ISA'
6197816Ssteve.reinhardt@amd.com
6204762Snate@binkert.org    def namespace(isa):
6214762Snate@binkert.org        return isa[0].upper() + isa[1:].lower() + 'ISA'
6224762Snate@binkert.org
6234762Snate@binkert.org
6247756SAli.Saidi@ARM.com    code = code_formatter()
6258596Ssteve.reinhardt@amd.com    code('''\
6264762Snate@binkert.org#ifndef __CONFIG_THE_ISA_HH__
6274762Snate@binkert.org#define __CONFIG_THE_ISA_HH__
6287677Snate@binkert.org
6297756SAli.Saidi@ARM.com''')
6308596Ssteve.reinhardt@amd.com
6317675Snate@binkert.org    # create defines for the preprocessing and compile-time determination
6327677Snate@binkert.org    for i,isa in enumerate(isas):
6335517Snate@binkert.org        code('#define $0 $1', define(isa), i + 1)
6348596Ssteve.reinhardt@amd.com    code()
6357675Snate@binkert.org
6368596Ssteve.reinhardt@amd.com    # create an enum for any run-time determination of the ISA, we
6378596Ssteve.reinhardt@amd.com    # reuse the same name as the namespaces
6388596Ssteve.reinhardt@amd.com    code('enum class Arch {')
6398596Ssteve.reinhardt@amd.com    for i,isa in enumerate(isas):
6408596Ssteve.reinhardt@amd.com        if i + 1 == len(isas):
6414762Snate@binkert.org            code('  $0 = $1', namespace(isa), define(isa))
6427674Snate@binkert.org        else:
6437674Snate@binkert.org            code('  $0 = $1,', namespace(isa), define(isa))
6447674Snate@binkert.org    code('};')
6457674Snate@binkert.org
6467674Snate@binkert.org    code('''
6477674Snate@binkert.org
6487674Snate@binkert.org#define THE_ISA ${{define(target_isa)}}
6497674Snate@binkert.org#define TheISA ${{namespace(target_isa)}}
6507674Snate@binkert.org#define THE_ISA_STR "${{target_isa}}"
6517674Snate@binkert.org
6527674Snate@binkert.org#endif // __CONFIG_THE_ISA_HH__''')
6537674Snate@binkert.org
6547674Snate@binkert.org    code.write(str(target[0]))
6557674Snate@binkert.org
6567674Snate@binkert.orgenv.Command('config/the_isa.hh', map(Value, all_isa_list),
6574762Snate@binkert.org            MakeAction(makeTheISA, Transform("CFG ISA", 0)))
6586143Snate@binkert.org
6596143Snate@binkert.orgdef makeTheGPUISA(source, target, env):
6607756SAli.Saidi@ARM.com    isas = [ src.get_contents() for src in source ]
6617816Ssteve.reinhardt@amd.com    target_gpu_isa = env['TARGET_GPU_ISA']
6628235Snate@binkert.org    def define(isa):
6638596Ssteve.reinhardt@amd.com        return isa.upper() + '_ISA'
6647756SAli.Saidi@ARM.com
6657816Ssteve.reinhardt@amd.com    def namespace(isa):
6668235Snate@binkert.org        return isa[0].upper() + isa[1:].lower() + 'ISA'
6674382Sbinkertn@umich.edu
6688232Snate@binkert.org
6698232Snate@binkert.org    code = code_formatter()
6708232Snate@binkert.org    code('''\
6718232Snate@binkert.org#ifndef __CONFIG_THE_GPU_ISA_HH__
6728232Snate@binkert.org#define __CONFIG_THE_GPU_ISA_HH__
6736229Snate@binkert.org
6748232Snate@binkert.org''')
6758232Snate@binkert.org
6768232Snate@binkert.org    # create defines for the preprocessing and compile-time determination
6776229Snate@binkert.org    for i,isa in enumerate(isas):
6787673Snate@binkert.org        code('#define $0 $1', define(isa), i + 1)
6795517Snate@binkert.org    code()
6805517Snate@binkert.org
6817673Snate@binkert.org    # create an enum for any run-time determination of the ISA, we
6825517Snate@binkert.org    # reuse the same name as the namespaces
6835517Snate@binkert.org    code('enum class GPUArch {')
6845517Snate@binkert.org    for i,isa in enumerate(isas):
6855517Snate@binkert.org        if i + 1 == len(isas):
6868232Snate@binkert.org            code('  $0 = $1', namespace(isa), define(isa))
6877673Snate@binkert.org        else:
6887673Snate@binkert.org            code('  $0 = $1,', namespace(isa), define(isa))
6898232Snate@binkert.org    code('};')
6908232Snate@binkert.org
6918232Snate@binkert.org    code('''
6928232Snate@binkert.org
6937673Snate@binkert.org#define THE_GPU_ISA ${{define(target_gpu_isa)}}
6945517Snate@binkert.org#define TheGpuISA ${{namespace(target_gpu_isa)}}
6958232Snate@binkert.org#define THE_GPU_ISA_STR "${{target_gpu_isa}}"
6968232Snate@binkert.org
6978232Snate@binkert.org#endif // __CONFIG_THE_GPU_ISA_HH__''')
6988232Snate@binkert.org
6997673Snate@binkert.org    code.write(str(target[0]))
7008232Snate@binkert.org
7018232Snate@binkert.orgenv.Command('config/the_gpu_isa.hh', map(Value, all_gpu_isa_list),
7028232Snate@binkert.org            MakeAction(makeTheGPUISA, Transform("CFG ISA", 0)))
7038232Snate@binkert.org
7048232Snate@binkert.org########################################################################
7058232Snate@binkert.org#
7067673Snate@binkert.org# Prevent any SimObjects from being added after this point, they
7075517Snate@binkert.org# should all have been added in the SConscripts above
7088232Snate@binkert.org#
7098232Snate@binkert.orgSimObject.fixed = True
7105517Snate@binkert.org
7117673Snate@binkert.orgclass DictImporter(object):
7125517Snate@binkert.org    '''This importer takes a dictionary of arbitrary module names that
7138232Snate@binkert.org    map to arbitrary filenames.'''
7148232Snate@binkert.org    def __init__(self, modules):
7155517Snate@binkert.org        self.modules = modules
7168232Snate@binkert.org        self.installed = set()
7178232Snate@binkert.org
7188232Snate@binkert.org    def __del__(self):
7197673Snate@binkert.org        self.unload()
7205517Snate@binkert.org
7215517Snate@binkert.org    def unload(self):
7227673Snate@binkert.org        import sys
7235517Snate@binkert.org        for module in self.installed:
7245517Snate@binkert.org            del sys.modules[module]
7255517Snate@binkert.org        self.installed = set()
7268232Snate@binkert.org
7275517Snate@binkert.org    def find_module(self, fullname, path):
7285517Snate@binkert.org        if fullname == 'm5.defines':
7298232Snate@binkert.org            return self
7308232Snate@binkert.org
7315517Snate@binkert.org        if fullname == 'm5.objects':
7328232Snate@binkert.org            return self
7338232Snate@binkert.org
7345517Snate@binkert.org        if fullname.startswith('_m5'):
7358232Snate@binkert.org            return None
7368232Snate@binkert.org
7378232Snate@binkert.org        source = self.modules.get(fullname, None)
7385517Snate@binkert.org        if source is not None and fullname.startswith('m5.objects'):
7398232Snate@binkert.org            return self
7408232Snate@binkert.org
7418232Snate@binkert.org        return None
7428232Snate@binkert.org
7438232Snate@binkert.org    def load_module(self, fullname):
7448232Snate@binkert.org        mod = imp.new_module(fullname)
7455517Snate@binkert.org        sys.modules[fullname] = mod
7468232Snate@binkert.org        self.installed.add(fullname)
7478232Snate@binkert.org
7485517Snate@binkert.org        mod.__loader__ = self
7498232Snate@binkert.org        if fullname == 'm5.objects':
7507673Snate@binkert.org            mod.__path__ = fullname.split('.')
7515517Snate@binkert.org            return mod
7527673Snate@binkert.org
7535517Snate@binkert.org        if fullname == 'm5.defines':
7548232Snate@binkert.org            mod.__dict__['buildEnv'] = m5.util.SmartDict(build_env)
7558232Snate@binkert.org            return mod
7568232Snate@binkert.org
7575192Ssaidi@eecs.umich.edu        source = self.modules[fullname]
7588232Snate@binkert.org        if source.modname == '__init__':
7598232Snate@binkert.org            mod.__path__ = source.modpath
7608232Snate@binkert.org        mod.__file__ = source.abspath
7618232Snate@binkert.org
7628232Snate@binkert.org        exec file(source.abspath, 'r') in mod.__dict__
7635192Ssaidi@eecs.umich.edu
7647674Snate@binkert.org        return mod
7655522Snate@binkert.org
7665522Snate@binkert.orgimport m5.SimObject
7677674Snate@binkert.orgimport m5.params
7687674Snate@binkert.orgfrom m5.util import code_formatter
7697674Snate@binkert.org
7707674Snate@binkert.orgm5.SimObject.clear()
7717674Snate@binkert.orgm5.params.clear()
7727674Snate@binkert.org
7737674Snate@binkert.org# install the python importer so we can grab stuff from the source
7747674Snate@binkert.org# tree itself.  We can't have SimObjects added after this point or
7755522Snate@binkert.org# else we won't know about them for the rest of the stuff.
7765522Snate@binkert.orgimporter = DictImporter(PySource.modules)
7775522Snate@binkert.orgsys.meta_path[0:0] = [ importer ]
7785517Snate@binkert.org
7795522Snate@binkert.org# import all sim objects so we can populate the all_objects list
7805517Snate@binkert.org# make sure that we're working with a list, then let's sort it
7816143Snate@binkert.orgfor modname in SimObject.modnames:
7826727Ssteve.reinhardt@amd.com    exec('from m5.objects import %s' % modname)
7835522Snate@binkert.org
7845522Snate@binkert.org# we need to unload all of the currently imported modules so that they
7855522Snate@binkert.org# will be re-imported the next time the sconscript is run
7867674Snate@binkert.orgimporter.unload()
7875517Snate@binkert.orgsys.meta_path.remove(importer)
7887673Snate@binkert.org
7897673Snate@binkert.orgsim_objects = m5.SimObject.allClasses
7907674Snate@binkert.orgall_enums = m5.params.allEnums
7917673Snate@binkert.org
7927674Snate@binkert.orgfor name,obj in sorted(sim_objects.iteritems()):
7937674Snate@binkert.org    for param in obj._params.local.values():
7947674Snate@binkert.org        # load the ptype attribute now because it depends on the
7957674Snate@binkert.org        # current version of SimObject.allClasses, but when scons
7967674Snate@binkert.org        # actually uses the value, all versions of
7977674Snate@binkert.org        # SimObject.allClasses will have been loaded
7985522Snate@binkert.org        param.ptype
7995522Snate@binkert.org
8007674Snate@binkert.org########################################################################
8017674Snate@binkert.org#
8027674Snate@binkert.org# calculate extra dependencies
8037674Snate@binkert.org#
8047673Snate@binkert.orgmodule_depends = ["m5", "m5.SimObject", "m5.params"]
8057674Snate@binkert.orgdepends = [ PySource.modules[dep].snode for dep in module_depends ]
8067674Snate@binkert.orgdepends.sort(key = lambda x: x.name)
8077674Snate@binkert.org
8087674Snate@binkert.org########################################################################
8097674Snate@binkert.org#
8107674Snate@binkert.org# Commands for the basic automatically generated python files
8117674Snate@binkert.org#
8127674Snate@binkert.org
8137811Ssteve.reinhardt@amd.com# Generate Python file containing a dict specifying the current
8147674Snate@binkert.org# buildEnv flags.
8157673Snate@binkert.orgdef makeDefinesPyFile(target, source, env):
8165522Snate@binkert.org    build_env = source[0].get_contents()
8176143Snate@binkert.org
8187756SAli.Saidi@ARM.com    code = code_formatter()
8197816Ssteve.reinhardt@amd.com    code("""
8207674Snate@binkert.orgimport _m5.core
8214382Sbinkertn@umich.eduimport m5.util
8224382Sbinkertn@umich.edu
8234382Sbinkertn@umich.edubuildEnv = m5.util.SmartDict($build_env)
8244382Sbinkertn@umich.edu
8254382Sbinkertn@umich.educompileDate = _m5.core.compileDate
8264382Sbinkertn@umich.edu_globals = globals()
8274382Sbinkertn@umich.edufor key,val in _m5.core.__dict__.items():
8284382Sbinkertn@umich.edu    if key.startswith('flag_'):
8294382Sbinkertn@umich.edu        flag = key[5:]
8304382Sbinkertn@umich.edu        _globals[flag] = val
8316143Snate@binkert.orgdel _globals
832955SN/A""")
8332655Sstever@eecs.umich.edu    code.write(target[0].abspath)
8342655Sstever@eecs.umich.edu
8352655Sstever@eecs.umich.edudefines_info = Value(build_env)
8362655Sstever@eecs.umich.edu# Generate a file with all of the compile options in it
8372655Sstever@eecs.umich.eduenv.Command('python/m5/defines.py', defines_info,
8385601Snate@binkert.org            MakeAction(makeDefinesPyFile, Transform("DEFINES", 0)))
8395601Snate@binkert.orgPySource('m5', 'python/m5/defines.py')
8408334Snate@binkert.org
8418334Snate@binkert.org# Generate python file containing info about the M5 source code
8428334Snate@binkert.orgdef makeInfoPyFile(target, source, env):
8435522Snate@binkert.org    code = code_formatter()
8445863Snate@binkert.org    for src in source:
8455601Snate@binkert.org        data = ''.join(file(src.srcnode().abspath, 'r').xreadlines())
8465601Snate@binkert.org        code('$src = ${{repr(data)}}')
8475601Snate@binkert.org    code.write(str(target[0]))
8485863Snate@binkert.org
8496143Snate@binkert.org# Generate a file that wraps the basic top level files
8505559Snate@binkert.orgenv.Command('python/m5/info.py',
8515559Snate@binkert.org            [ '#/COPYING', '#/LICENSE', '#/README', ],
8525559Snate@binkert.org            MakeAction(makeInfoPyFile, Transform("INFO")))
8535559Snate@binkert.orgPySource('m5', 'python/m5/info.py')
8548614Sgblack@eecs.umich.edu
8558614Sgblack@eecs.umich.edu########################################################################
8568614Sgblack@eecs.umich.edu#
8575601Snate@binkert.org# Create all of the SimObject param headers and enum headers
8586143Snate@binkert.org#
8596143Snate@binkert.org
8606143Snate@binkert.orgdef createSimObjectParamStruct(target, source, env):
8616143Snate@binkert.org    assert len(target) == 1 and len(source) == 1
8626143Snate@binkert.org
8636143Snate@binkert.org    name = source[0].get_text_contents()
8646143Snate@binkert.org    obj = sim_objects[name]
8656143Snate@binkert.org
8666143Snate@binkert.org    code = code_formatter()
8676143Snate@binkert.org    obj.cxx_param_decl(code)
8686143Snate@binkert.org    code.write(target[0].abspath)
8696143Snate@binkert.org
8706143Snate@binkert.orgdef createSimObjectCxxConfig(is_header):
8716143Snate@binkert.org    def body(target, source, env):
8726143Snate@binkert.org        assert len(target) == 1 and len(source) == 1
8736143Snate@binkert.org
8746143Snate@binkert.org        name = str(source[0].get_contents())
8756143Snate@binkert.org        obj = sim_objects[name]
8766143Snate@binkert.org
8776143Snate@binkert.org        code = code_formatter()
8786143Snate@binkert.org        obj.cxx_config_param_file(code, is_header)
8796143Snate@binkert.org        code.write(target[0].abspath)
8806143Snate@binkert.org    return body
8816143Snate@binkert.org
8826143Snate@binkert.orgdef createEnumStrings(target, source, env):
8838594Snate@binkert.org    assert len(target) == 1 and len(source) == 2
8848594Snate@binkert.org
8858594Snate@binkert.org    name = source[0].get_text_contents()
8868594Snate@binkert.org    use_python = source[1].read()
8876143Snate@binkert.org    obj = all_enums[name]
8886143Snate@binkert.org
8896143Snate@binkert.org    code = code_formatter()
8906143Snate@binkert.org    obj.cxx_def(code)
8916143Snate@binkert.org    if use_python:
8926240Snate@binkert.org        obj.pybind_def(code)
8935554Snate@binkert.org    code.write(target[0].abspath)
8945522Snate@binkert.org
8955522Snate@binkert.orgdef createEnumDecls(target, source, env):
8965797Snate@binkert.org    assert len(target) == 1 and len(source) == 1
8975797Snate@binkert.org
8985522Snate@binkert.org    name = source[0].get_text_contents()
8995601Snate@binkert.org    obj = all_enums[name]
9008233Snate@binkert.org
9018233Snate@binkert.org    code = code_formatter()
9028235Snate@binkert.org    obj.cxx_decl(code)
9038235Snate@binkert.org    code.write(target[0].abspath)
9048235Snate@binkert.org
9058235Snate@binkert.orgdef createSimObjectPyBindWrapper(target, source, env):
9068235Snate@binkert.org    name = source[0].get_text_contents()
9078235Snate@binkert.org    obj = sim_objects[name]
9088235Snate@binkert.org
9096143Snate@binkert.org    code = code_formatter()
9102655Sstever@eecs.umich.edu    obj.pybind_decl(code)
9116143Snate@binkert.org    code.write(target[0].abspath)
9126143Snate@binkert.org
9138233Snate@binkert.org# Generate all of the SimObject param C++ struct header files
9146143Snate@binkert.orgparams_hh_files = []
9156143Snate@binkert.orgfor name,simobj in sorted(sim_objects.iteritems()):
9164007Ssaidi@eecs.umich.edu    py_source = PySource.modules[simobj.__module__]
9174596Sbinkertn@umich.edu    extra_deps = [ py_source.tnode ]
9184007Ssaidi@eecs.umich.edu
9194596Sbinkertn@umich.edu    hh_file = File('params/%s.hh' % name)
9207756SAli.Saidi@ARM.com    params_hh_files.append(hh_file)
9217816Ssteve.reinhardt@amd.com    env.Command(hh_file, Value(name),
9228334Snate@binkert.org                MakeAction(createSimObjectParamStruct, Transform("SO PARAM")))
9238334Snate@binkert.org    env.Depends(hh_file, depends + extra_deps)
9248334Snate@binkert.org
9258334Snate@binkert.org# C++ parameter description files
9265601Snate@binkert.orgif GetOption('with_cxx_config'):
9275601Snate@binkert.org    for name,simobj in sorted(sim_objects.iteritems()):
9282655Sstever@eecs.umich.edu        py_source = PySource.modules[simobj.__module__]
929955SN/A        extra_deps = [ py_source.tnode ]
9303918Ssaidi@eecs.umich.edu
9313918Ssaidi@eecs.umich.edu        cxx_config_hh_file = File('cxx_config/%s.hh' % name)
9323918Ssaidi@eecs.umich.edu        cxx_config_cc_file = File('cxx_config/%s.cc' % name)
9333918Ssaidi@eecs.umich.edu        env.Command(cxx_config_hh_file, Value(name),
9343918Ssaidi@eecs.umich.edu                    MakeAction(createSimObjectCxxConfig(True),
9353918Ssaidi@eecs.umich.edu                    Transform("CXXCPRHH")))
9363918Ssaidi@eecs.umich.edu        env.Command(cxx_config_cc_file, Value(name),
9373918Ssaidi@eecs.umich.edu                    MakeAction(createSimObjectCxxConfig(False),
9383918Ssaidi@eecs.umich.edu                    Transform("CXXCPRCC")))
9393918Ssaidi@eecs.umich.edu        env.Depends(cxx_config_hh_file, depends + extra_deps +
9403918Ssaidi@eecs.umich.edu                    [File('params/%s.hh' % name), File('sim/cxx_config.hh')])
9413918Ssaidi@eecs.umich.edu        env.Depends(cxx_config_cc_file, depends + extra_deps +
9423918Ssaidi@eecs.umich.edu                    [cxx_config_hh_file])
9433918Ssaidi@eecs.umich.edu        Source(cxx_config_cc_file)
9443940Ssaidi@eecs.umich.edu
9453940Ssaidi@eecs.umich.edu    cxx_config_init_cc_file = File('cxx_config/init.cc')
9463940Ssaidi@eecs.umich.edu
9473942Ssaidi@eecs.umich.edu    def createCxxConfigInitCC(target, source, env):
9483940Ssaidi@eecs.umich.edu        assert len(target) == 1 and len(source) == 1
9493515Ssaidi@eecs.umich.edu
9503918Ssaidi@eecs.umich.edu        code = code_formatter()
9514762Snate@binkert.org
9523515Ssaidi@eecs.umich.edu        for name,simobj in sorted(sim_objects.iteritems()):
9532655Sstever@eecs.umich.edu            if not hasattr(simobj, 'abstract') or not simobj.abstract:
9543918Ssaidi@eecs.umich.edu                code('#include "cxx_config/${name}.hh"')
9553619Sbinkertn@umich.edu        code()
956955SN/A        code('void cxxConfigInit()')
957955SN/A        code('{')
9582655Sstever@eecs.umich.edu        code.indent()
9593918Ssaidi@eecs.umich.edu        for name,simobj in sorted(sim_objects.iteritems()):
9603619Sbinkertn@umich.edu            not_abstract = not hasattr(simobj, 'abstract') or \
961955SN/A                not simobj.abstract
962955SN/A            if not_abstract and 'type' in simobj.__dict__:
9632655Sstever@eecs.umich.edu                code('cxx_config_directory["${name}"] = '
9643918Ssaidi@eecs.umich.edu                     '${name}CxxConfigParams::makeDirectoryEntry();')
9653619Sbinkertn@umich.edu        code.dedent()
966955SN/A        code('}')
967955SN/A        code.write(target[0].abspath)
9682655Sstever@eecs.umich.edu
9693918Ssaidi@eecs.umich.edu    py_source = PySource.modules[simobj.__module__]
9703683Sstever@eecs.umich.edu    extra_deps = [ py_source.tnode ]
9712655Sstever@eecs.umich.edu    env.Command(cxx_config_init_cc_file, Value(name),
9721869SN/A        MakeAction(createCxxConfigInitCC, Transform("CXXCINIT")))
9731869SN/A    cxx_param_hh_files = ["cxx_config/%s.hh" % simobj
974        for name,simobj in sorted(sim_objects.iteritems())
975        if not hasattr(simobj, 'abstract') or not simobj.abstract]
976    Depends(cxx_config_init_cc_file, cxx_param_hh_files +
977            [File('sim/cxx_config.hh')])
978    Source(cxx_config_init_cc_file)
979
980# Generate all enum header files
981for name,enum in sorted(all_enums.iteritems()):
982    py_source = PySource.modules[enum.__module__]
983    extra_deps = [ py_source.tnode ]
984
985    cc_file = File('enums/%s.cc' % name)
986    env.Command(cc_file, [Value(name), Value(env['USE_PYTHON'])],
987                MakeAction(createEnumStrings, Transform("ENUM STR")))
988    env.Depends(cc_file, depends + extra_deps)
989    Source(cc_file)
990
991    hh_file = File('enums/%s.hh' % name)
992    env.Command(hh_file, Value(name),
993                MakeAction(createEnumDecls, Transform("ENUMDECL")))
994    env.Depends(hh_file, depends + extra_deps)
995
996# Generate SimObject Python bindings wrapper files
997if env['USE_PYTHON']:
998    for name,simobj in sorted(sim_objects.iteritems()):
999        py_source = PySource.modules[simobj.__module__]
1000        extra_deps = [ py_source.tnode ]
1001        cc_file = File('python/_m5/param_%s.cc' % name)
1002        env.Command(cc_file, Value(name),
1003                    MakeAction(createSimObjectPyBindWrapper,
1004                               Transform("SO PyBind")))
1005        env.Depends(cc_file, depends + extra_deps)
1006        Source(cc_file)
1007
1008# Build all protocol buffers if we have got protoc and protobuf available
1009if env['HAVE_PROTOBUF']:
1010    for proto in ProtoBuf.all:
1011        # Use both the source and header as the target, and the .proto
1012        # file as the source. When executing the protoc compiler, also
1013        # specify the proto_path to avoid having the generated files
1014        # include the path.
1015        env.Command([proto.cc_file, proto.hh_file], proto.tnode,
1016                    MakeAction('$PROTOC --cpp_out ${TARGET.dir} '
1017                               '--proto_path ${SOURCE.dir} $SOURCE',
1018                               Transform("PROTOC")))
1019
1020        # Add the C++ source file
1021        Source(proto.cc_file, tags=proto.tags)
1022elif ProtoBuf.all:
1023    print('Got protobuf to build, but lacks support!')
1024    Exit(1)
1025
1026#
1027# Handle debug flags
1028#
1029def makeDebugFlagCC(target, source, env):
1030    assert(len(target) == 1 and len(source) == 1)
1031
1032    code = code_formatter()
1033
1034    # delay definition of CompoundFlags until after all the definition
1035    # of all constituent SimpleFlags
1036    comp_code = code_formatter()
1037
1038    # file header
1039    code('''
1040/*
1041 * DO NOT EDIT THIS FILE! Automatically generated by SCons.
1042 */
1043
1044#include "base/debug.hh"
1045
1046namespace Debug {
1047
1048''')
1049
1050    for name, flag in sorted(source[0].read().iteritems()):
1051        n, compound, desc = flag
1052        assert n == name
1053
1054        if not compound:
1055            code('SimpleFlag $name("$name", "$desc");')
1056        else:
1057            comp_code('CompoundFlag $name("$name", "$desc",')
1058            comp_code.indent()
1059            last = len(compound) - 1
1060            for i,flag in enumerate(compound):
1061                if i != last:
1062                    comp_code('&$flag,')
1063                else:
1064                    comp_code('&$flag);')
1065            comp_code.dedent()
1066
1067    code.append(comp_code)
1068    code()
1069    code('} // namespace Debug')
1070
1071    code.write(str(target[0]))
1072
1073def makeDebugFlagHH(target, source, env):
1074    assert(len(target) == 1 and len(source) == 1)
1075
1076    val = eval(source[0].get_contents())
1077    name, compound, desc = val
1078
1079    code = code_formatter()
1080
1081    # file header boilerplate
1082    code('''\
1083/*
1084 * DO NOT EDIT THIS FILE! Automatically generated by SCons.
1085 */
1086
1087#ifndef __DEBUG_${name}_HH__
1088#define __DEBUG_${name}_HH__
1089
1090namespace Debug {
1091''')
1092
1093    if compound:
1094        code('class CompoundFlag;')
1095    code('class SimpleFlag;')
1096
1097    if compound:
1098        code('extern CompoundFlag $name;')
1099        for flag in compound:
1100            code('extern SimpleFlag $flag;')
1101    else:
1102        code('extern SimpleFlag $name;')
1103
1104    code('''
1105}
1106
1107#endif // __DEBUG_${name}_HH__
1108''')
1109
1110    code.write(str(target[0]))
1111
1112for name,flag in sorted(debug_flags.iteritems()):
1113    n, compound, desc = flag
1114    assert n == name
1115
1116    hh_file = 'debug/%s.hh' % name
1117    env.Command(hh_file, Value(flag),
1118                MakeAction(makeDebugFlagHH, Transform("TRACING", 0)))
1119
1120env.Command('debug/flags.cc', Value(debug_flags),
1121            MakeAction(makeDebugFlagCC, Transform("TRACING", 0)))
1122Source('debug/flags.cc')
1123
1124# version tags
1125tags = \
1126env.Command('sim/tags.cc', None,
1127            MakeAction('util/cpt_upgrader.py --get-cc-file > $TARGET',
1128                       Transform("VER TAGS")))
1129env.AlwaysBuild(tags)
1130
1131# Build a small helper that marshals the Python code using the same
1132# version of Python as gem5. This is in an unorthodox location to
1133# avoid building it for every variant.
1134py_marshal = env.Program('python/marshal.cc')[0]
1135
1136# Embed python files.  All .py files that have been indicated by a
1137# PySource() call in a SConscript need to be embedded into the M5
1138# library.  To do that, we compile the file to byte code, marshal the
1139# byte code, compress it, and then generate a c++ file that
1140# inserts the result into an array.
1141def embedPyFile(target, source, env):
1142    def c_str(string):
1143        if string is None:
1144            return "0"
1145        return '"%s"' % string
1146
1147    '''Action function to compile a .py into a code object, marshal it,
1148    compress it, and stick it into an asm file so the code appears as
1149    just bytes with a label in the data section. The action takes two
1150    sources:
1151
1152    source[0]: Binary used to marshal Python sources
1153    source[1]: Python script to marshal
1154    '''
1155
1156    import subprocess
1157
1158    marshalled = subprocess.check_output([source[0].abspath, str(source[1])])
1159
1160    compressed = zlib.compress(marshalled)
1161    data = compressed
1162    pysource = PySource.tnodes[source[1]]
1163    sym = pysource.symname
1164
1165    code = code_formatter()
1166    code('''\
1167#include "sim/init.hh"
1168
1169namespace {
1170
1171''')
1172    blobToCpp(data, 'data_' + sym, code)
1173    code('''\
1174
1175
1176EmbeddedPython embedded_${sym}(
1177    ${{c_str(pysource.arcname)}},
1178    ${{c_str(pysource.abspath)}},
1179    ${{c_str(pysource.modpath)}},
1180    data_${sym},
1181    ${{len(data)}},
1182    ${{len(marshalled)}});
1183
1184} // anonymous namespace
1185''')
1186    code.write(str(target[0]))
1187
1188for source in PySource.all:
1189    env.Command(source.cpp, [ py_marshal, source.tnode ],
1190                MakeAction(embedPyFile, Transform("EMBED PY")))
1191    Source(source.cpp, tags=source.tags, add_tags='python')
1192
1193########################################################################
1194#
1195# Define binaries.  Each different build type (debug, opt, etc.) gets
1196# a slightly different build environment.
1197#
1198
1199# List of constructed environments to pass back to SConstruct
1200date_source = Source('base/date.cc', tags=[])
1201
1202gem5_binary = Gem5('gem5')
1203
1204# Function to create a new build environment as clone of current
1205# environment 'env' with modified object suffix and optional stripped
1206# binary.  Additional keyword arguments are appended to corresponding
1207# build environment vars.
1208def makeEnv(env, label, objsfx, strip=False, disable_partial=False, **kwargs):
1209    # SCons doesn't know to append a library suffix when there is a '.' in the
1210    # name.  Use '_' instead.
1211    libname = 'gem5_' + label
1212    secondary_exename = 'm5.' + label
1213
1214    new_env = env.Clone(OBJSUFFIX=objsfx, SHOBJSUFFIX=objsfx + 's')
1215    new_env.Label = label
1216    new_env.Append(**kwargs)
1217
1218    lib_sources = Source.all.with_tag('gem5 lib')
1219
1220    # Without Python, leave out all Python content from the library
1221    # builds.  The option doesn't affect gem5 built as a program
1222    if GetOption('without_python'):
1223        lib_sources = lib_sources.without_tag('python')
1224
1225    static_objs = []
1226    shared_objs = []
1227
1228    for s in lib_sources.with_tag(Source.ungrouped_tag):
1229        static_objs.append(s.static(new_env))
1230        shared_objs.append(s.shared(new_env))
1231
1232    for group in Source.source_groups:
1233        srcs = lib_sources.with_tag(Source.link_group_tag(group))
1234        if not srcs:
1235            continue
1236
1237        group_static = [ s.static(new_env) for s in srcs ]
1238        group_shared = [ s.shared(new_env) for s in srcs ]
1239
1240        # If partial linking is disabled, add these sources to the build
1241        # directly, and short circuit this loop.
1242        if disable_partial:
1243            static_objs.extend(group_static)
1244            shared_objs.extend(group_shared)
1245            continue
1246
1247        # Set up the static partially linked objects.
1248        file_name = new_env.subst("${OBJPREFIX}lib${OBJSUFFIX}.partial")
1249        target = File(joinpath(group, file_name))
1250        partial = env.PartialStatic(target=target, source=group_static)
1251        static_objs.extend(partial)
1252
1253        # Set up the shared partially linked objects.
1254        file_name = new_env.subst("${SHOBJPREFIX}lib${SHOBJSUFFIX}.partial")
1255        target = File(joinpath(group, file_name))
1256        partial = env.PartialShared(target=target, source=group_shared)
1257        shared_objs.extend(partial)
1258
1259    static_date = date_source.static(new_env)
1260    new_env.Depends(static_date, static_objs)
1261    static_objs.extend(static_date)
1262
1263    shared_date = date_source.shared(new_env)
1264    new_env.Depends(shared_date, shared_objs)
1265    shared_objs.extend(shared_date)
1266
1267    main_objs = [ s.static(new_env) for s in Source.all.with_tag('main') ]
1268
1269    # First make a library of everything but main() so other programs can
1270    # link against m5.
1271    static_lib = new_env.StaticLibrary(libname, static_objs)
1272    shared_lib = new_env.SharedLibrary(libname, shared_objs)
1273
1274    # Keep track of the object files generated so far so Executables can
1275    # include them.
1276    new_env['STATIC_OBJS'] = static_objs
1277    new_env['SHARED_OBJS'] = shared_objs
1278    new_env['MAIN_OBJS'] = main_objs
1279
1280    new_env['STATIC_LIB'] = static_lib
1281    new_env['SHARED_LIB'] = shared_lib
1282
1283    # Record some settings for building Executables.
1284    new_env['EXE_SUFFIX'] = label
1285    new_env['STRIP_EXES'] = strip
1286
1287    for cls in ExecutableMeta.all:
1288        cls.declare_all(new_env)
1289
1290    new_env.M5Binary = File(gem5_binary.path(new_env))
1291
1292    new_env.Command(secondary_exename, new_env.M5Binary,
1293            MakeAction('ln $SOURCE $TARGET', Transform("HARDLINK")))
1294
1295    # Set up regression tests.
1296    SConscript(os.path.join(env.root.abspath, 'tests', 'SConscript'),
1297               variant_dir=Dir('tests').Dir(new_env.Label),
1298               exports={ 'env' : new_env }, duplicate=False)
1299
1300# Start out with the compiler flags common to all compilers,
1301# i.e. they all use -g for opt and -g -pg for prof
1302ccflags = {'debug' : [], 'opt' : ['-g'], 'fast' : [], 'prof' : ['-g', '-pg'],
1303           'perf' : ['-g']}
1304
1305# Start out with the linker flags common to all linkers, i.e. -pg for
1306# prof, and -lprofiler for perf. The -lprofile flag is surrounded by
1307# no-as-needed and as-needed as the binutils linker is too clever and
1308# simply doesn't link to the library otherwise.
1309ldflags = {'debug' : [], 'opt' : [], 'fast' : [], 'prof' : ['-pg'],
1310           'perf' : ['-Wl,--no-as-needed', '-lprofiler', '-Wl,--as-needed']}
1311
1312# For Link Time Optimization, the optimisation flags used to compile
1313# individual files are decoupled from those used at link time
1314# (i.e. you can compile with -O3 and perform LTO with -O0), so we need
1315# to also update the linker flags based on the target.
1316if env['GCC']:
1317    if sys.platform == 'sunos5':
1318        ccflags['debug'] += ['-gstabs+']
1319    else:
1320        ccflags['debug'] += ['-ggdb3']
1321    ldflags['debug'] += ['-O0']
1322    # opt, fast, prof and perf all share the same cc flags, also add
1323    # the optimization to the ldflags as LTO defers the optimization
1324    # to link time
1325    for target in ['opt', 'fast', 'prof', 'perf']:
1326        ccflags[target] += ['-O3']
1327        ldflags[target] += ['-O3']
1328
1329    ccflags['fast'] += env['LTO_CCFLAGS']
1330    ldflags['fast'] += env['LTO_LDFLAGS']
1331elif env['CLANG']:
1332    ccflags['debug'] += ['-g', '-O0']
1333    # opt, fast, prof and perf all share the same cc flags
1334    for target in ['opt', 'fast', 'prof', 'perf']:
1335        ccflags[target] += ['-O3']
1336else:
1337    print('Unknown compiler, please fix compiler options')
1338    Exit(1)
1339
1340
1341# To speed things up, we only instantiate the build environments we
1342# need.  We try to identify the needed environment for each target; if
1343# we can't, we fall back on instantiating all the environments just to
1344# be safe.
1345target_types = ['debug', 'opt', 'fast', 'prof', 'perf']
1346obj2target = {'do': 'debug', 'o': 'opt', 'fo': 'fast', 'po': 'prof',
1347              'gpo' : 'perf'}
1348
1349def identifyTarget(t):
1350    ext = t.split('.')[-1]
1351    if ext in target_types:
1352        return ext
1353    if ext in obj2target:
1354        return obj2target[ext]
1355    match = re.search(r'/tests/([^/]+)/', t)
1356    if match and match.group(1) in target_types:
1357        return match.group(1)
1358    return 'all'
1359
1360needed_envs = [identifyTarget(target) for target in BUILD_TARGETS]
1361if 'all' in needed_envs:
1362    needed_envs += target_types
1363
1364disable_partial = False
1365if env['PLATFORM'] == 'darwin':
1366    # Up until Apple LLVM version 10.0.0 (clang-1000.11.45.5), partial
1367    # linked objects do not expose symbols that are marked with the
1368    # hidden visibility and consequently building gem5 on Mac OS
1369    # fails. As a workaround, we disable partial linking, however, we
1370    # may want to revisit in the future.
1371    disable_partial = True
1372
1373# Debug binary
1374if 'debug' in needed_envs:
1375    makeEnv(env, 'debug', '.do',
1376            CCFLAGS = Split(ccflags['debug']),
1377            CPPDEFINES = ['DEBUG', 'TRACING_ON=1'],
1378            LINKFLAGS = Split(ldflags['debug']),
1379            disable_partial=disable_partial)
1380
1381# Optimized binary
1382if 'opt' in needed_envs:
1383    makeEnv(env, 'opt', '.o',
1384            CCFLAGS = Split(ccflags['opt']),
1385            CPPDEFINES = ['TRACING_ON=1'],
1386            LINKFLAGS = Split(ldflags['opt']),
1387            disable_partial=disable_partial)
1388
1389# "Fast" binary
1390if 'fast' in needed_envs:
1391    disable_partial = disable_partial and \
1392            env.get('BROKEN_INCREMENTAL_LTO', False) and \
1393            GetOption('force_lto')
1394    makeEnv(env, 'fast', '.fo', strip = True,
1395            CCFLAGS = Split(ccflags['fast']),
1396            CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1397            LINKFLAGS = Split(ldflags['fast']),
1398            disable_partial=disable_partial)
1399
1400# Profiled binary using gprof
1401if 'prof' in needed_envs:
1402    makeEnv(env, 'prof', '.po',
1403            CCFLAGS = Split(ccflags['prof']),
1404            CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1405            LINKFLAGS = Split(ldflags['prof']),
1406            disable_partial=disable_partial)
1407
1408# Profiled binary using google-pprof
1409if 'perf' in needed_envs:
1410    makeEnv(env, 'perf', '.gpo',
1411            CCFLAGS = Split(ccflags['perf']),
1412            CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1413            LINKFLAGS = Split(ldflags['perf']),
1414            disable_partial=disable_partial)
1415