SConscript revision 13577
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
44955SN/Aimport array
45955SN/Aimport bisect
46955SN/Aimport functools
474202Sbinkertn@umich.eduimport imp
48955SN/Aimport marshal
494382Sbinkertn@umich.eduimport os
504382Sbinkertn@umich.eduimport re
514382Sbinkertn@umich.eduimport subprocess
526654Snate@binkert.orgimport sys
535517Snate@binkert.orgimport zlib
547674Snate@binkert.org
557674Snate@binkert.orgfrom os.path import basename, dirname, exists, isdir, isfile, join as joinpath
566143Snate@binkert.org
576143Snate@binkert.orgimport SCons
586143Snate@binkert.org
596143Snate@binkert.orgfrom gem5_scons import Transform
606143Snate@binkert.org
616143Snate@binkert.org# This file defines how to build a particular configuration of gem5
626143Snate@binkert.org# based on variable settings in the 'env' build environment.
636143Snate@binkert.org
646143Snate@binkert.orgImport('*')
656143Snate@binkert.org
666143Snate@binkert.org# Children need to see the environment
676143Snate@binkert.orgExport('env')
686143Snate@binkert.org
696143Snate@binkert.orgbuild_env = [(opt, env[opt]) for opt in export_vars]
706143Snate@binkert.org
714762Snate@binkert.orgfrom m5.util import code_formatter, compareVersions
726143Snate@binkert.org
736143Snate@binkert.org########################################################################
746143Snate@binkert.org# Code for adding source files of various types
756143Snate@binkert.org#
766143Snate@binkert.org# When specifying a source file of some type, a set of tags can be
776143Snate@binkert.org# specified for that file.
786143Snate@binkert.org
796143Snate@binkert.orgclass SourceFilter(object):
806143Snate@binkert.org    def __init__(self, predicate):
816143Snate@binkert.org        self.predicate = predicate
826143Snate@binkert.org
836143Snate@binkert.org    def __or__(self, other):
846143Snate@binkert.org        return SourceFilter(lambda tags: self.predicate(tags) or
856143Snate@binkert.org                                         other.predicate(tags))
866143Snate@binkert.org
876143Snate@binkert.org    def __and__(self, other):
886143Snate@binkert.org        return SourceFilter(lambda tags: self.predicate(tags) and
896143Snate@binkert.org                                         other.predicate(tags))
906143Snate@binkert.org
916143Snate@binkert.orgdef with_tags_that(predicate):
926143Snate@binkert.org    '''Return a list of sources with tags that satisfy a predicate.'''
937065Snate@binkert.org    return SourceFilter(predicate)
946143Snate@binkert.org
956143Snate@binkert.orgdef with_any_tags(*tags):
966143Snate@binkert.org    '''Return a list of sources with any of the supplied tags.'''
976143Snate@binkert.org    return SourceFilter(lambda stags: len(set(tags) & stags) > 0)
986143Snate@binkert.org
996143Snate@binkert.orgdef with_all_tags(*tags):
1006143Snate@binkert.org    '''Return a list of sources with all of the supplied tags.'''
1016143Snate@binkert.org    return SourceFilter(lambda stags: set(tags) <= stags)
1026143Snate@binkert.org
1036143Snate@binkert.orgdef with_tag(tag):
1046143Snate@binkert.org    '''Return a list of sources with the supplied tag.'''
1056143Snate@binkert.org    return SourceFilter(lambda stags: tag in stags)
1066143Snate@binkert.org
1076143Snate@binkert.orgdef without_tags(*tags):
1086143Snate@binkert.org    '''Return a list of sources without any of the supplied tags.'''
1096143Snate@binkert.org    return SourceFilter(lambda stags: len(set(tags) & stags) == 0)
1106143Snate@binkert.org
1116143Snate@binkert.orgdef without_tag(tag):
1126143Snate@binkert.org    '''Return a list of sources with the supplied tag.'''
1136143Snate@binkert.org    return SourceFilter(lambda stags: tag not in stags)
1146143Snate@binkert.org
1155522Snate@binkert.orgsource_filter_factories = {
1166143Snate@binkert.org    'with_tags_that': with_tags_that,
1176143Snate@binkert.org    'with_any_tags': with_any_tags,
1186143Snate@binkert.org    'with_all_tags': with_all_tags,
1196143Snate@binkert.org    'with_tag': with_tag,
1206143Snate@binkert.org    'without_tags': without_tags,
1216143Snate@binkert.org    'without_tag': without_tag,
1226143Snate@binkert.org}
1236143Snate@binkert.org
1246143Snate@binkert.orgExport(source_filter_factories)
1256143Snate@binkert.org
1265522Snate@binkert.orgclass SourceList(list):
1275522Snate@binkert.org    def apply_filter(self, f):
1285522Snate@binkert.org        def match(source):
1295522Snate@binkert.org            return f.predicate(source.tags)
1305604Snate@binkert.org        return SourceList(filter(match, self))
1315604Snate@binkert.org
1326143Snate@binkert.org    def __getattr__(self, name):
1336143Snate@binkert.org        func = source_filter_factories.get(name, None)
1344762Snate@binkert.org        if not func:
1354762Snate@binkert.org            raise AttributeError
1366143Snate@binkert.org
1376727Ssteve.reinhardt@amd.com        @functools.wraps(func)
1386727Ssteve.reinhardt@amd.com        def wrapper(*args, **kwargs):
1396727Ssteve.reinhardt@amd.com            return self.apply_filter(func(*args, **kwargs))
1404762Snate@binkert.org        return wrapper
1416143Snate@binkert.org
1426143Snate@binkert.orgclass SourceMeta(type):
1436143Snate@binkert.org    '''Meta class for source files that keeps track of all files of a
1446143Snate@binkert.org    particular type.'''
1456727Ssteve.reinhardt@amd.com    def __init__(cls, name, bases, dict):
1466143Snate@binkert.org        super(SourceMeta, cls).__init__(name, bases, dict)
1477674Snate@binkert.org        cls.all = SourceList()
1487674Snate@binkert.org
1495604Snate@binkert.orgclass SourceFile(object):
1506143Snate@binkert.org    '''Base object that encapsulates the notion of a source file.
1516143Snate@binkert.org    This includes, the source node, target node, various manipulations
1526143Snate@binkert.org    of those.  A source file also specifies a set of tags which
1534762Snate@binkert.org    describing arbitrary properties of the source file.'''
1546143Snate@binkert.org    __metaclass__ = SourceMeta
1554762Snate@binkert.org
1564762Snate@binkert.org    static_objs = {}
1574762Snate@binkert.org    shared_objs = {}
1586143Snate@binkert.org
1596143Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
1604762Snate@binkert.org        if tags is None:
1616143Snate@binkert.org            tags='gem5 lib'
1626143Snate@binkert.org        if isinstance(tags, basestring):
1636143Snate@binkert.org            tags = set([tags])
1646143Snate@binkert.org        if not isinstance(tags, set):
1654762Snate@binkert.org            tags = set(tags)
1666143Snate@binkert.org        self.tags = tags
1674762Snate@binkert.org
1686143Snate@binkert.org        if add_tags:
1694762Snate@binkert.org            if isinstance(add_tags, basestring):
1706143Snate@binkert.org                add_tags = set([add_tags])
1716143Snate@binkert.org            if not isinstance(add_tags, set):
1726143Snate@binkert.org                add_tags = set(add_tags)
1736143Snate@binkert.org            self.tags |= add_tags
1746143Snate@binkert.org
1756143Snate@binkert.org        tnode = source
1766143Snate@binkert.org        if not isinstance(source, SCons.Node.FS.File):
1776143Snate@binkert.org            tnode = File(source)
1786143Snate@binkert.org
1796143Snate@binkert.org        self.tnode = tnode
1806143Snate@binkert.org        self.snode = tnode.srcnode()
1816143Snate@binkert.org
1826143Snate@binkert.org        for base in type(self).__mro__:
183955SN/A            if issubclass(base, SourceFile):
1845584Snate@binkert.org                base.all.append(self)
1855584Snate@binkert.org
1865584Snate@binkert.org    def static(self, env):
1875584Snate@binkert.org        key = (self.tnode, env['OBJSUFFIX'])
1886143Snate@binkert.org        if not key in self.static_objs:
1896143Snate@binkert.org            self.static_objs[key] = env.StaticObject(self.tnode)
1906143Snate@binkert.org        return self.static_objs[key]
1915584Snate@binkert.org
1924382Sbinkertn@umich.edu    def shared(self, env):
1934202Sbinkertn@umich.edu        key = (self.tnode, env['OBJSUFFIX'])
1944382Sbinkertn@umich.edu        if not key in self.shared_objs:
1954382Sbinkertn@umich.edu            self.shared_objs[key] = env.SharedObject(self.tnode)
1964382Sbinkertn@umich.edu        return self.shared_objs[key]
1975584Snate@binkert.org
1984382Sbinkertn@umich.edu    @property
1994382Sbinkertn@umich.edu    def filename(self):
2004382Sbinkertn@umich.edu        return str(self.tnode)
2015192Ssaidi@eecs.umich.edu
2025192Ssaidi@eecs.umich.edu    @property
2035799Snate@binkert.org    def dirname(self):
2045799Snate@binkert.org        return dirname(self.filename)
2055799Snate@binkert.org
2065192Ssaidi@eecs.umich.edu    @property
2075799Snate@binkert.org    def basename(self):
2085192Ssaidi@eecs.umich.edu        return basename(self.filename)
2095799Snate@binkert.org
2105799Snate@binkert.org    @property
2115192Ssaidi@eecs.umich.edu    def extname(self):
2125192Ssaidi@eecs.umich.edu        index = self.basename.rfind('.')
2135192Ssaidi@eecs.umich.edu        if index <= 0:
2145799Snate@binkert.org            # dot files aren't extensions
2155192Ssaidi@eecs.umich.edu            return self.basename, None
2165192Ssaidi@eecs.umich.edu
2175192Ssaidi@eecs.umich.edu        return self.basename[:index], self.basename[index+1:]
2185192Ssaidi@eecs.umich.edu
2195192Ssaidi@eecs.umich.edu    def __lt__(self, other): return self.filename < other.filename
2205192Ssaidi@eecs.umich.edu    def __le__(self, other): return self.filename <= other.filename
2214382Sbinkertn@umich.edu    def __gt__(self, other): return self.filename > other.filename
2224382Sbinkertn@umich.edu    def __ge__(self, other): return self.filename >= other.filename
2234382Sbinkertn@umich.edu    def __eq__(self, other): return self.filename == other.filename
2242667Sstever@eecs.umich.edu    def __ne__(self, other): return self.filename != other.filename
2252667Sstever@eecs.umich.edu
2262667Sstever@eecs.umich.edudef blobToCpp(data, symbol, cpp_code, hpp_code=None, namespace=None):
2272667Sstever@eecs.umich.edu    '''
2282667Sstever@eecs.umich.edu    Convert bytes data into C++ .cpp and .hh uint8_t byte array
2292667Sstever@eecs.umich.edu    code containing that binary data.
2305742Snate@binkert.org
2315742Snate@binkert.org    :param data: binary data to be converted to C++
2325742Snate@binkert.org    :param symbol: name of the symbol
2335793Snate@binkert.org    :param cpp_code: append the generated cpp_code to this object
2345793Snate@binkert.org    :param hpp_code: append the generated hpp_code to this object
2355793Snate@binkert.org                     If None, ignore it. Otherwise, also include it
2365793Snate@binkert.org                     in the .cpp file.
2375793Snate@binkert.org    :param namespace: namespace to put the symbol into. If None,
2384382Sbinkertn@umich.edu                      don't put the symbols into any namespace.
2394762Snate@binkert.org    '''
2405344Sstever@gmail.com    symbol_len_declaration = 'const std::size_t {}_len'.format(symbol)
2414382Sbinkertn@umich.edu    symbol_declaration = 'const std::uint8_t {}[]'.format(symbol)
2425341Sstever@gmail.com    if hpp_code is not None:
2435742Snate@binkert.org        cpp_code('''\
2445742Snate@binkert.org#include "blobs/{}.hh"
2455742Snate@binkert.org'''.format(symbol))
2465742Snate@binkert.org        hpp_code('''\
2475742Snate@binkert.org#include <cstddef>
2484762Snate@binkert.org#include <cstdint>
2495742Snate@binkert.org''')
2505742Snate@binkert.org        if namespace is not None:
2517722Sgblack@eecs.umich.edu            hpp_code('namespace {} {{'.format(namespace))
2525742Snate@binkert.org        hpp_code('extern ' + symbol_len_declaration + ';')
2535742Snate@binkert.org        hpp_code('extern ' + symbol_declaration + ';')
2545742Snate@binkert.org        if namespace is not None:
2555742Snate@binkert.org            hpp_code('}')
2565341Sstever@gmail.com    if namespace is not None:
2575742Snate@binkert.org        cpp_code('namespace {} {{'.format(namespace))
2587722Sgblack@eecs.umich.edu    cpp_code(symbol_len_declaration + ' = {};'.format(len(data)))
2594773Snate@binkert.org    cpp_code(symbol_declaration + ' = {')
2606108Snate@binkert.org    cpp_code.indent()
2611858SN/A    step = 16
2621085SN/A    for i in xrange(0, len(data), step):
2636658Snate@binkert.org        x = array.array('B', data[i:i+step])
2646658Snate@binkert.org        cpp_code(''.join('%d,' % d for d in x))
2657673Snate@binkert.org    cpp_code.dedent()
2666658Snate@binkert.org    cpp_code('};')
2676658Snate@binkert.org    if namespace is not None:
2686658Snate@binkert.org        cpp_code('}')
2696658Snate@binkert.org
2706658Snate@binkert.orgdef Blob(blob_path, symbol):
2716658Snate@binkert.org    '''
2726658Snate@binkert.org    Embed an arbitrary blob into the gem5 executable,
2737673Snate@binkert.org    and make it accessible to C++ as a byte array.
2747673Snate@binkert.org    '''
2757673Snate@binkert.org    blob_path = os.path.abspath(blob_path)
2767673Snate@binkert.org    blob_out_dir = os.path.join(env['BUILDDIR'], 'blobs')
2777673Snate@binkert.org    path_noext = joinpath(blob_out_dir, symbol)
2787673Snate@binkert.org    cpp_path = path_noext + '.cc'
2797673Snate@binkert.org    hpp_path = path_noext + '.hh'
2806658Snate@binkert.org    def embedBlob(target, source, env):
2817673Snate@binkert.org        data = file(str(source[0]), 'r').read()
2827673Snate@binkert.org        cpp_code = code_formatter()
2837673Snate@binkert.org        hpp_code = code_formatter()
2847673Snate@binkert.org        blobToCpp(data, symbol, cpp_code, hpp_code, namespace='Blobs')
2857673Snate@binkert.org        cpp_path = str(target[0])
2867673Snate@binkert.org        hpp_path = str(target[1])
2877673Snate@binkert.org        cpp_dir = os.path.split(cpp_path)[0]
2887673Snate@binkert.org        if not os.path.exists(cpp_dir):
2897673Snate@binkert.org            os.makedirs(cpp_dir)
2907673Snate@binkert.org        cpp_code.write(cpp_path)
2916658Snate@binkert.org        hpp_code.write(hpp_path)
2927756SAli.Saidi@ARM.com    env.Command([cpp_path, hpp_path], blob_path,
2937756SAli.Saidi@ARM.com                MakeAction(embedBlob, Transform("EMBED BLOB")))
2946658Snate@binkert.org    Source(cpp_path)
2954382Sbinkertn@umich.edu
2964382Sbinkertn@umich.edudef GdbXml(xml_id, symbol):
2974762Snate@binkert.org    Blob(joinpath(gdb_xml_dir, xml_id), symbol)
2984762Snate@binkert.org
2994762Snate@binkert.orgclass Source(SourceFile):
3006654Snate@binkert.org    ungrouped_tag = 'No link group'
3016654Snate@binkert.org    source_groups = set()
3025517Snate@binkert.org
3035517Snate@binkert.org    _current_group_tag = ungrouped_tag
3045517Snate@binkert.org
3055517Snate@binkert.org    @staticmethod
3065517Snate@binkert.org    def link_group_tag(group):
3075517Snate@binkert.org        return 'link group: %s' % group
3085517Snate@binkert.org
3095517Snate@binkert.org    @classmethod
3105517Snate@binkert.org    def set_group(cls, group):
3115517Snate@binkert.org        new_tag = Source.link_group_tag(group)
3125517Snate@binkert.org        Source._current_group_tag = new_tag
3135517Snate@binkert.org        Source.source_groups.add(group)
3145517Snate@binkert.org
3155517Snate@binkert.org    def _add_link_group_tag(self):
3165517Snate@binkert.org        self.tags.add(Source._current_group_tag)
3175517Snate@binkert.org
3185517Snate@binkert.org    '''Add a c/c++ source file to the build'''
3196654Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
3205517Snate@binkert.org        '''specify the source file, and any tags'''
3215517Snate@binkert.org        super(Source, self).__init__(source, tags, add_tags)
3225517Snate@binkert.org        self._add_link_group_tag()
3235517Snate@binkert.org
3245517Snate@binkert.orgclass PySource(SourceFile):
3255517Snate@binkert.org    '''Add a python source file to the named package'''
3265517Snate@binkert.org    invalid_sym_char = re.compile('[^A-z0-9_]')
3275517Snate@binkert.org    modules = {}
3286143Snate@binkert.org    tnodes = {}
3296654Snate@binkert.org    symnames = {}
3305517Snate@binkert.org
3315517Snate@binkert.org    def __init__(self, package, source, tags=None, add_tags=None):
3325517Snate@binkert.org        '''specify the python package, the source file, and any tags'''
3335517Snate@binkert.org        super(PySource, self).__init__(source, tags, add_tags)
3345517Snate@binkert.org
3355517Snate@binkert.org        modname,ext = self.extname
3365517Snate@binkert.org        assert ext == 'py'
3375517Snate@binkert.org
3385517Snate@binkert.org        if package:
3395517Snate@binkert.org            path = package.split('.')
3405517Snate@binkert.org        else:
3415517Snate@binkert.org            path = []
3425517Snate@binkert.org
3435517Snate@binkert.org        modpath = path[:]
3446654Snate@binkert.org        if modname != '__init__':
3456654Snate@binkert.org            modpath += [ modname ]
3465517Snate@binkert.org        modpath = '.'.join(modpath)
3475517Snate@binkert.org
3486143Snate@binkert.org        arcpath = path + [ self.basename ]
3496143Snate@binkert.org        abspath = self.snode.abspath
3506143Snate@binkert.org        if not exists(abspath):
3516727Ssteve.reinhardt@amd.com            abspath = self.tnode.abspath
3525517Snate@binkert.org
3536727Ssteve.reinhardt@amd.com        self.package = package
3545517Snate@binkert.org        self.modname = modname
3555517Snate@binkert.org        self.modpath = modpath
3565517Snate@binkert.org        self.arcname = joinpath(*arcpath)
3576654Snate@binkert.org        self.abspath = abspath
3586654Snate@binkert.org        self.compiled = File(self.filename + 'c')
3597673Snate@binkert.org        self.cpp = File(self.filename + '.cc')
3606654Snate@binkert.org        self.symname = PySource.invalid_sym_char.sub('_', modpath)
3616654Snate@binkert.org
3626654Snate@binkert.org        PySource.modules[modpath] = self
3636654Snate@binkert.org        PySource.tnodes[self.tnode] = self
3645517Snate@binkert.org        PySource.symnames[self.symname] = self
3655517Snate@binkert.org
3665517Snate@binkert.orgclass SimObject(PySource):
3676143Snate@binkert.org    '''Add a SimObject python file as a python source object and add
3685517Snate@binkert.org    it to a list of sim object modules'''
3694762Snate@binkert.org
3705517Snate@binkert.org    fixed = False
3715517Snate@binkert.org    modnames = []
3726143Snate@binkert.org
3736143Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
3745517Snate@binkert.org        '''Specify the source file and any tags (automatically in
3755517Snate@binkert.org        the m5.objects package)'''
3765517Snate@binkert.org        super(SimObject, self).__init__('m5.objects', source, tags, add_tags)
3775517Snate@binkert.org        if self.fixed:
3785517Snate@binkert.org            raise AttributeError, "Too late to call SimObject now."
3795517Snate@binkert.org
3805517Snate@binkert.org        bisect.insort_right(SimObject.modnames, self.modname)
3815517Snate@binkert.org
3825517Snate@binkert.orgclass ProtoBuf(SourceFile):
3835517Snate@binkert.org    '''Add a Protocol Buffer to build'''
3846143Snate@binkert.org
3855517Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
3866654Snate@binkert.org        '''Specify the source file, and any tags'''
3876654Snate@binkert.org        super(ProtoBuf, self).__init__(source, tags, add_tags)
3886654Snate@binkert.org
3896654Snate@binkert.org        # Get the file name and the extension
3906654Snate@binkert.org        modname,ext = self.extname
3916654Snate@binkert.org        assert ext == 'proto'
3925517Snate@binkert.org
3935517Snate@binkert.org        # Currently, we stick to generating the C++ headers, so we
3945517Snate@binkert.org        # only need to track the source and header.
3955517Snate@binkert.org        self.cc_file = File(modname + '.pb.cc')
3965517Snate@binkert.org        self.hh_file = File(modname + '.pb.h')
3974762Snate@binkert.org
3984762Snate@binkert.org
3994762Snate@binkert.orgexectuable_classes = []
4004762Snate@binkert.orgclass ExecutableMeta(type):
4014762Snate@binkert.org    '''Meta class for Executables.'''
4024762Snate@binkert.org    all = []
4037675Snate@binkert.org
4044762Snate@binkert.org    def __init__(cls, name, bases, d):
4054762Snate@binkert.org        if not d.pop('abstract', False):
4064762Snate@binkert.org            ExecutableMeta.all.append(cls)
4074762Snate@binkert.org        super(ExecutableMeta, cls).__init__(name, bases, d)
4084382Sbinkertn@umich.edu
4094382Sbinkertn@umich.edu        cls.all = []
4105517Snate@binkert.org
4116654Snate@binkert.orgclass Executable(object):
4125517Snate@binkert.org    '''Base class for creating an executable from sources.'''
4135798Snate@binkert.org    __metaclass__ = ExecutableMeta
4146654Snate@binkert.org
4157673Snate@binkert.org    abstract = True
4166654Snate@binkert.org
4176654Snate@binkert.org    def __init__(self, target, *srcs_and_filts):
4186654Snate@binkert.org        '''Specify the target name and any sources. Sources that are
4196654Snate@binkert.org        not SourceFiles are evalued with Source().'''
4206654Snate@binkert.org        super(Executable, self).__init__()
4216654Snate@binkert.org        self.all.append(self)
4226654Snate@binkert.org        self.target = target
4236654Snate@binkert.org
4246669Snate@binkert.org        isFilter = lambda arg: isinstance(arg, SourceFilter)
4256669Snate@binkert.org        self.filters = filter(isFilter, srcs_and_filts)
4266669Snate@binkert.org        sources = filter(lambda a: not isFilter(a), srcs_and_filts)
4276669Snate@binkert.org
4286669Snate@binkert.org        srcs = SourceList()
4296669Snate@binkert.org        for src in sources:
4306654Snate@binkert.org            if not isinstance(src, SourceFile):
4317673Snate@binkert.org                src = Source(src, tags=[])
4325517Snate@binkert.org            srcs.append(src)
4335863Snate@binkert.org
4345798Snate@binkert.org        self.sources = srcs
4357756SAli.Saidi@ARM.com        self.dir = Dir('.')
4367756SAli.Saidi@ARM.com
4375798Snate@binkert.org    def path(self, env):
4385798Snate@binkert.org        return self.dir.File(self.target + '.' + env['EXE_SUFFIX'])
4395517Snate@binkert.org
4405517Snate@binkert.org    def srcs_to_objs(self, env, sources):
4417673Snate@binkert.org        return list([ s.static(env) for s in sources ])
4425517Snate@binkert.org
4435517Snate@binkert.org    @classmethod
4447673Snate@binkert.org    def declare_all(cls, env):
4457673Snate@binkert.org        return list([ instance.declare(env) for instance in cls.all ])
4465517Snate@binkert.org
4475798Snate@binkert.org    def declare(self, env, objs=None):
4485798Snate@binkert.org        if objs is None:
4495798Snate@binkert.org            objs = self.srcs_to_objs(env, self.sources)
4507756SAli.Saidi@ARM.com
4515798Snate@binkert.org        if env['STRIP_EXES']:
4525798Snate@binkert.org            stripped = self.path(env)
4534762Snate@binkert.org            unstripped = env.File(str(stripped) + '.unstripped')
4544762Snate@binkert.org            if sys.platform == 'sunos5':
4554762Snate@binkert.org                cmd = 'cp $SOURCE $TARGET; strip $TARGET'
4564762Snate@binkert.org            else:
4574762Snate@binkert.org                cmd = 'strip $SOURCE -o $TARGET'
4585517Snate@binkert.org            env.Program(unstripped, objs)
4595517Snate@binkert.org            return env.Command(stripped, unstripped,
4605517Snate@binkert.org                               MakeAction(cmd, Transform("STRIP")))
4615517Snate@binkert.org        else:
4625517Snate@binkert.org            return env.Program(self.path(env), objs)
4635517Snate@binkert.org
4647673Snate@binkert.orgclass UnitTest(Executable):
4657673Snate@binkert.org    '''Create a UnitTest'''
4667673Snate@binkert.org    def __init__(self, target, *srcs_and_filts, **kwargs):
4675517Snate@binkert.org        super(UnitTest, self).__init__(target, *srcs_and_filts)
4685517Snate@binkert.org
4695517Snate@binkert.org        self.main = kwargs.get('main', False)
4705517Snate@binkert.org
4715517Snate@binkert.org    def declare(self, env):
4725517Snate@binkert.org        sources = list(self.sources)
4735517Snate@binkert.org        for f in self.filters:
4747673Snate@binkert.org            sources = Source.all.apply_filter(f)
4757677Snate@binkert.org        objs = self.srcs_to_objs(env, sources) + env['STATIC_OBJS']
4767673Snate@binkert.org        if self.main:
4777673Snate@binkert.org            objs += env['MAIN_OBJS']
4785517Snate@binkert.org        return super(UnitTest, self).declare(env, objs)
4795517Snate@binkert.org
4805517Snate@binkert.orgclass GTest(Executable):
4815517Snate@binkert.org    '''Create a unit test based on the google test framework.'''
4825517Snate@binkert.org    all = []
4835517Snate@binkert.org    def __init__(self, *srcs_and_filts, **kwargs):
4845517Snate@binkert.org        super(GTest, self).__init__(*srcs_and_filts)
4857673Snate@binkert.org
4867673Snate@binkert.org        self.skip_lib = kwargs.pop('skip_lib', False)
4877673Snate@binkert.org
4885517Snate@binkert.org    @classmethod
4895517Snate@binkert.org    def declare_all(cls, env):
4905517Snate@binkert.org        env = env.Clone()
4915517Snate@binkert.org        env.Append(LIBS=env['GTEST_LIBS'])
4925517Snate@binkert.org        env.Append(CPPFLAGS=env['GTEST_CPPFLAGS'])
4935517Snate@binkert.org        env['GTEST_LIB_SOURCES'] = Source.all.with_tag('gtest lib')
4945517Snate@binkert.org        env['GTEST_OUT_DIR'] = \
4957673Snate@binkert.org            Dir(env['BUILDDIR']).Dir('unittests.' + env['EXE_SUFFIX'])
4967673Snate@binkert.org        return super(GTest, cls).declare_all(env)
4977673Snate@binkert.org
4985517Snate@binkert.org    def declare(self, env):
4997675Snate@binkert.org        sources = list(self.sources)
5007675Snate@binkert.org        if not self.skip_lib:
5017675Snate@binkert.org            sources += env['GTEST_LIB_SOURCES']
5027675Snate@binkert.org        for f in self.filters:
5037675Snate@binkert.org            sources += Source.all.apply_filter(f)
5047675Snate@binkert.org        objs = self.srcs_to_objs(env, sources)
5057675Snate@binkert.org
5067675Snate@binkert.org        binary = super(GTest, self).declare(env, objs)
5077677Snate@binkert.org
5087675Snate@binkert.org        out_dir = env['GTEST_OUT_DIR']
5097675Snate@binkert.org        xml_file = out_dir.Dir(str(self.dir)).File(self.target + '.xml')
5107675Snate@binkert.org        AlwaysBuild(env.Command(xml_file, binary,
5117675Snate@binkert.org            "${SOURCES[0]} --gtest_output=xml:${TARGETS[0]}"))
5127675Snate@binkert.org
5137675Snate@binkert.org        return binary
5147675Snate@binkert.org
5157675Snate@binkert.orgclass Gem5(Executable):
5167675Snate@binkert.org    '''Create a gem5 executable.'''
5174762Snate@binkert.org
5184762Snate@binkert.org    def __init__(self, target):
5196143Snate@binkert.org        super(Gem5, self).__init__(target)
5206143Snate@binkert.org
5216143Snate@binkert.org    def declare(self, env):
5224762Snate@binkert.org        objs = env['MAIN_OBJS'] + env['STATIC_OBJS']
5234762Snate@binkert.org        return super(Gem5, self).declare(env, objs)
5244762Snate@binkert.org
5257756SAli.Saidi@ARM.com
5267756SAli.Saidi@ARM.com# Children should have access
5274762Snate@binkert.orgExport('Blob')
5284762Snate@binkert.orgExport('GdbXml')
5294762Snate@binkert.orgExport('Source')
5305463Snate@binkert.orgExport('PySource')
5315517Snate@binkert.orgExport('SimObject')
5327677Snate@binkert.orgExport('ProtoBuf')
5335463Snate@binkert.orgExport('Executable')
5347756SAli.Saidi@ARM.comExport('UnitTest')
5357756SAli.Saidi@ARM.comExport('GTest')
5364762Snate@binkert.org
5377677Snate@binkert.org########################################################################
5384762Snate@binkert.org#
5394762Snate@binkert.org# Debug Flags
5406143Snate@binkert.org#
5416143Snate@binkert.orgdebug_flags = {}
5426143Snate@binkert.orgdef DebugFlag(name, desc=None):
5434762Snate@binkert.org    if name in debug_flags:
5444762Snate@binkert.org        raise AttributeError, "Flag %s already specified" % name
5457756SAli.Saidi@ARM.com    debug_flags[name] = (name, (), desc)
5467756SAli.Saidi@ARM.com
5474762Snate@binkert.orgdef CompoundFlag(name, flags, desc=None):
5484762Snate@binkert.org    if name in debug_flags:
5494762Snate@binkert.org        raise AttributeError, "Flag %s already specified" % name
5504762Snate@binkert.org
5517756SAli.Saidi@ARM.com    compound = tuple(flags)
5527756SAli.Saidi@ARM.com    debug_flags[name] = (name, compound, desc)
5534762Snate@binkert.org
5544762Snate@binkert.orgExport('DebugFlag')
5557677Snate@binkert.orgExport('CompoundFlag')
5567756SAli.Saidi@ARM.com
5577756SAli.Saidi@ARM.com########################################################################
5587675Snate@binkert.org#
5597677Snate@binkert.org# Set some compiler variables
5605517Snate@binkert.org#
5617675Snate@binkert.org
5627675Snate@binkert.org# Include file paths are rooted in this directory.  SCons will
5637675Snate@binkert.org# automatically expand '.' to refer to both the source directory and
5647675Snate@binkert.org# the corresponding build directory to pick up generated include
5657675Snate@binkert.org# files.
5667675Snate@binkert.orgenv.Append(CPPPATH=Dir('.'))
5677675Snate@binkert.org
5685517Snate@binkert.orgfor extra_dir in extras_dir_list:
5697673Snate@binkert.org    env.Append(CPPPATH=Dir(extra_dir))
5705517Snate@binkert.org
5717677Snate@binkert.org# Workaround for bug in SCons version > 0.97d20071212
5727675Snate@binkert.org# Scons bug id: 2006 gem5 Bug id: 308
5737673Snate@binkert.orgfor root, dirs, files in os.walk(base_dir, topdown=True):
5747675Snate@binkert.org    Dir(root[len(base_dir) + 1:])
5757675Snate@binkert.org
5767675Snate@binkert.org########################################################################
5777673Snate@binkert.org#
5787675Snate@binkert.org# Walk the tree and execute all SConscripts in subdirectories
5795517Snate@binkert.org#
5807675Snate@binkert.org
5817675Snate@binkert.orghere = Dir('.').srcnode().abspath
5827673Snate@binkert.orgfor root, dirs, files in os.walk(base_dir, topdown=True):
5837675Snate@binkert.org    if root == here:
5847675Snate@binkert.org        # we don't want to recurse back into this SConscript
5857677Snate@binkert.org        continue
5867675Snate@binkert.org
5877675Snate@binkert.org    if 'SConscript' in files:
5887675Snate@binkert.org        build_dir = joinpath(env['BUILDDIR'], root[len(base_dir) + 1:])
5895517Snate@binkert.org        Source.set_group(build_dir)
5907675Snate@binkert.org        SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir)
5915517Snate@binkert.org
5927673Snate@binkert.orgfor extra_dir in extras_dir_list:
5935517Snate@binkert.org    prefix_len = len(dirname(extra_dir)) + 1
5947675Snate@binkert.org
5957677Snate@binkert.org    # Also add the corresponding build directory to pick up generated
5967756SAli.Saidi@ARM.com    # include files.
5977756SAli.Saidi@ARM.com    env.Append(CPPPATH=Dir(joinpath(env['BUILDDIR'], extra_dir[prefix_len:])))
5987675Snate@binkert.org
5997677Snate@binkert.org    for root, dirs, files in os.walk(extra_dir, topdown=True):
6004762Snate@binkert.org        # if build lives in the extras directory, don't walk down it
6017674Snate@binkert.org        if 'build' in dirs:
6027674Snate@binkert.org            dirs.remove('build')
6037674Snate@binkert.org
6047674Snate@binkert.org        if 'SConscript' in files:
6057674Snate@binkert.org            build_dir = joinpath(env['BUILDDIR'], root[prefix_len:])
6067674Snate@binkert.org            SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir)
6077674Snate@binkert.org
6087674Snate@binkert.orgfor opt in export_vars:
6097674Snate@binkert.org    env.ConfigFile(opt)
6107674Snate@binkert.org
6117674Snate@binkert.orgdef makeTheISA(source, target, env):
6127674Snate@binkert.org    isas = [ src.get_contents() for src in source ]
6137674Snate@binkert.org    target_isa = env['TARGET_ISA']
6147674Snate@binkert.org    def define(isa):
6157674Snate@binkert.org        return isa.upper() + '_ISA'
6164762Snate@binkert.org
6176143Snate@binkert.org    def namespace(isa):
6186143Snate@binkert.org        return isa[0].upper() + isa[1:].lower() + 'ISA'
6197756SAli.Saidi@ARM.com
6207756SAli.Saidi@ARM.com
6217674Snate@binkert.org    code = code_formatter()
6227756SAli.Saidi@ARM.com    code('''\
6237756SAli.Saidi@ARM.com#ifndef __CONFIG_THE_ISA_HH__
6247674Snate@binkert.org#define __CONFIG_THE_ISA_HH__
6256143Snate@binkert.org
6266143Snate@binkert.org''')
6274382Sbinkertn@umich.edu
6286229Snate@binkert.org    # create defines for the preprocessing and compile-time determination
6296229Snate@binkert.org    for i,isa in enumerate(isas):
6306229Snate@binkert.org        code('#define $0 $1', define(isa), i + 1)
6316229Snate@binkert.org    code()
6326229Snate@binkert.org
6336229Snate@binkert.org    # create an enum for any run-time determination of the ISA, we
6346229Snate@binkert.org    # reuse the same name as the namespaces
6356229Snate@binkert.org    code('enum class Arch {')
6366229Snate@binkert.org    for i,isa in enumerate(isas):
6376229Snate@binkert.org        if i + 1 == len(isas):
6386229Snate@binkert.org            code('  $0 = $1', namespace(isa), define(isa))
6396229Snate@binkert.org        else:
6406229Snate@binkert.org            code('  $0 = $1,', namespace(isa), define(isa))
6416229Snate@binkert.org    code('};')
6426229Snate@binkert.org
6436229Snate@binkert.org    code('''
6446229Snate@binkert.org
6456229Snate@binkert.org#define THE_ISA ${{define(target_isa)}}
6466229Snate@binkert.org#define TheISA ${{namespace(target_isa)}}
6476229Snate@binkert.org#define THE_ISA_STR "${{target_isa}}"
6486229Snate@binkert.org
6495192Ssaidi@eecs.umich.edu#endif // __CONFIG_THE_ISA_HH__''')
6505517Snate@binkert.org
6515517Snate@binkert.org    code.write(str(target[0]))
6527673Snate@binkert.org
6535517Snate@binkert.orgenv.Command('config/the_isa.hh', map(Value, all_isa_list),
6546229Snate@binkert.org            MakeAction(makeTheISA, Transform("CFG ISA", 0)))
6555799Snate@binkert.org
6567673Snate@binkert.orgdef makeTheGPUISA(source, target, env):
6577673Snate@binkert.org    isas = [ src.get_contents() for src in source ]
6585517Snate@binkert.org    target_gpu_isa = env['TARGET_GPU_ISA']
6595517Snate@binkert.org    def define(isa):
6607673Snate@binkert.org        return isa.upper() + '_ISA'
6617673Snate@binkert.org
6627673Snate@binkert.org    def namespace(isa):
6637673Snate@binkert.org        return isa[0].upper() + isa[1:].lower() + 'ISA'
6645517Snate@binkert.org
6657673Snate@binkert.org
6667673Snate@binkert.org    code = code_formatter()
6677673Snate@binkert.org    code('''\
6685517Snate@binkert.org#ifndef __CONFIG_THE_GPU_ISA_HH__
6695517Snate@binkert.org#define __CONFIG_THE_GPU_ISA_HH__
6707673Snate@binkert.org
6717673Snate@binkert.org''')
6727673Snate@binkert.org
6737673Snate@binkert.org    # create defines for the preprocessing and compile-time determination
6745517Snate@binkert.org    for i,isa in enumerate(isas):
6757673Snate@binkert.org        code('#define $0 $1', define(isa), i + 1)
6767673Snate@binkert.org    code()
6775517Snate@binkert.org
6787673Snate@binkert.org    # create an enum for any run-time determination of the ISA, we
6797673Snate@binkert.org    # reuse the same name as the namespaces
6805517Snate@binkert.org    code('enum class GPUArch {')
6817673Snate@binkert.org    for i,isa in enumerate(isas):
6825517Snate@binkert.org        if i + 1 == len(isas):
6835517Snate@binkert.org            code('  $0 = $1', namespace(isa), define(isa))
6847673Snate@binkert.org        else:
6857673Snate@binkert.org            code('  $0 = $1,', namespace(isa), define(isa))
6867673Snate@binkert.org    code('};')
6877673Snate@binkert.org
6885517Snate@binkert.org    code('''
6897673Snate@binkert.org
6907673Snate@binkert.org#define THE_GPU_ISA ${{define(target_gpu_isa)}}
6917673Snate@binkert.org#define TheGpuISA ${{namespace(target_gpu_isa)}}
6925517Snate@binkert.org#define THE_GPU_ISA_STR "${{target_gpu_isa}}"
6937673Snate@binkert.org
6947673Snate@binkert.org#endif // __CONFIG_THE_GPU_ISA_HH__''')
6957673Snate@binkert.org
6965517Snate@binkert.org    code.write(str(target[0]))
6977673Snate@binkert.org
6985517Snate@binkert.orgenv.Command('config/the_gpu_isa.hh', map(Value, all_gpu_isa_list),
6995517Snate@binkert.org            MakeAction(makeTheGPUISA, Transform("CFG ISA", 0)))
7005517Snate@binkert.org
7015517Snate@binkert.org########################################################################
7026229Snate@binkert.org#
7037673Snate@binkert.org# Prevent any SimObjects from being added after this point, they
7045517Snate@binkert.org# should all have been added in the SConscripts above
7055517Snate@binkert.org#
7067673Snate@binkert.orgSimObject.fixed = True
7075517Snate@binkert.org
7085517Snate@binkert.orgclass DictImporter(object):
7095517Snate@binkert.org    '''This importer takes a dictionary of arbitrary module names that
7105517Snate@binkert.org    map to arbitrary filenames.'''
7115517Snate@binkert.org    def __init__(self, modules):
7125517Snate@binkert.org        self.modules = modules
7135517Snate@binkert.org        self.installed = set()
7145517Snate@binkert.org
7155517Snate@binkert.org    def __del__(self):
7167673Snate@binkert.org        self.unload()
7175517Snate@binkert.org
7187673Snate@binkert.org    def unload(self):
7195517Snate@binkert.org        import sys
7205517Snate@binkert.org        for module in self.installed:
7215517Snate@binkert.org            del sys.modules[module]
7225517Snate@binkert.org        self.installed = set()
7237673Snate@binkert.org
7245517Snate@binkert.org    def find_module(self, fullname, path):
7257673Snate@binkert.org        if fullname == 'm5.defines':
7265517Snate@binkert.org            return self
7275517Snate@binkert.org
7287673Snate@binkert.org        if fullname == 'm5.objects':
7297673Snate@binkert.org            return self
7305517Snate@binkert.org
7317673Snate@binkert.org        if fullname.startswith('_m5'):
7327673Snate@binkert.org            return None
7335517Snate@binkert.org
7347673Snate@binkert.org        source = self.modules.get(fullname, None)
7357673Snate@binkert.org        if source is not None and fullname.startswith('m5.objects'):
7367673Snate@binkert.org            return self
7377673Snate@binkert.org
7385517Snate@binkert.org        return None
7395517Snate@binkert.org
7405517Snate@binkert.org    def load_module(self, fullname):
7417673Snate@binkert.org        mod = imp.new_module(fullname)
7427673Snate@binkert.org        sys.modules[fullname] = mod
7435517Snate@binkert.org        self.installed.add(fullname)
7445517Snate@binkert.org
7457673Snate@binkert.org        mod.__loader__ = self
7467673Snate@binkert.org        if fullname == 'm5.objects':
7477673Snate@binkert.org            mod.__path__ = fullname.split('.')
7487673Snate@binkert.org            return mod
7495517Snate@binkert.org
7505517Snate@binkert.org        if fullname == 'm5.defines':
7515517Snate@binkert.org            mod.__dict__['buildEnv'] = m5.util.SmartDict(build_env)
7525517Snate@binkert.org            return mod
7537673Snate@binkert.org
7547673Snate@binkert.org        source = self.modules[fullname]
7555517Snate@binkert.org        if source.modname == '__init__':
7567673Snate@binkert.org            mod.__path__ = source.modpath
7577673Snate@binkert.org        mod.__file__ = source.abspath
7587673Snate@binkert.org
7597673Snate@binkert.org        exec file(source.abspath, 'r') in mod.__dict__
7607673Snate@binkert.org
7615517Snate@binkert.org        return mod
7625517Snate@binkert.org
7635517Snate@binkert.orgimport m5.SimObject
7647673Snate@binkert.orgimport m5.params
7657673Snate@binkert.orgfrom m5.util import code_formatter
7667673Snate@binkert.org
7675517Snate@binkert.orgm5.SimObject.clear()
7685517Snate@binkert.orgm5.params.clear()
7697673Snate@binkert.org
7705517Snate@binkert.org# install the python importer so we can grab stuff from the source
7717673Snate@binkert.org# tree itself.  We can't have SimObjects added after this point or
7727673Snate@binkert.org# else we won't know about them for the rest of the stuff.
7735517Snate@binkert.orgimporter = DictImporter(PySource.modules)
7747673Snate@binkert.orgsys.meta_path[0:0] = [ importer ]
7755517Snate@binkert.org
7765517Snate@binkert.org# import all sim objects so we can populate the all_objects list
7775517Snate@binkert.org# make sure that we're working with a list, then let's sort it
7785517Snate@binkert.orgfor modname in SimObject.modnames:
7796229Snate@binkert.org    exec('from m5.objects import %s' % modname)
7807673Snate@binkert.org
7815517Snate@binkert.org# we need to unload all of the currently imported modules so that they
7825517Snate@binkert.org# will be re-imported the next time the sconscript is run
7837673Snate@binkert.orgimporter.unload()
7845517Snate@binkert.orgsys.meta_path.remove(importer)
7855517Snate@binkert.org
7865517Snate@binkert.orgsim_objects = m5.SimObject.allClasses
7875517Snate@binkert.orgall_enums = m5.params.allEnums
7885517Snate@binkert.org
7895517Snate@binkert.orgfor name,obj in sorted(sim_objects.iteritems()):
7905517Snate@binkert.org    for param in obj._params.local.values():
7915517Snate@binkert.org        # load the ptype attribute now because it depends on the
7925517Snate@binkert.org        # current version of SimObject.allClasses, but when scons
7935517Snate@binkert.org        # actually uses the value, all versions of
7945517Snate@binkert.org        # SimObject.allClasses will have been loaded
7957673Snate@binkert.org        param.ptype
7965517Snate@binkert.org
7975517Snate@binkert.org########################################################################
7985517Snate@binkert.org#
7997673Snate@binkert.org# calculate extra dependencies
8005517Snate@binkert.org#
8015517Snate@binkert.orgmodule_depends = ["m5", "m5.SimObject", "m5.params"]
8027673Snate@binkert.orgdepends = [ PySource.modules[dep].snode for dep in module_depends ]
8035517Snate@binkert.orgdepends.sort(key = lambda x: x.name)
8045517Snate@binkert.org
8055517Snate@binkert.org########################################################################
8067673Snate@binkert.org#
8077673Snate@binkert.org# Commands for the basic automatically generated python files
8087673Snate@binkert.org#
8095517Snate@binkert.org
8105517Snate@binkert.org# Generate Python file containing a dict specifying the current
8117673Snate@binkert.org# buildEnv flags.
8125517Snate@binkert.orgdef makeDefinesPyFile(target, source, env):
8135517Snate@binkert.org    build_env = source[0].get_contents()
8147673Snate@binkert.org
8155517Snate@binkert.org    code = code_formatter()
8167673Snate@binkert.org    code("""
8177673Snate@binkert.orgimport _m5.core
8185517Snate@binkert.orgimport m5.util
8195517Snate@binkert.org
8205517Snate@binkert.orgbuildEnv = m5.util.SmartDict($build_env)
8217673Snate@binkert.org
8225517Snate@binkert.orgcompileDate = _m5.core.compileDate
8235517Snate@binkert.org_globals = globals()
8245517Snate@binkert.orgfor key,val in _m5.core.__dict__.iteritems():
8257673Snate@binkert.org    if key.startswith('flag_'):
8267673Snate@binkert.org        flag = key[5:]
8275517Snate@binkert.org        _globals[flag] = val
8285517Snate@binkert.orgdel _globals
8297673Snate@binkert.org""")
8305517Snate@binkert.org    code.write(target[0].abspath)
8315517Snate@binkert.org
8325517Snate@binkert.orgdefines_info = Value(build_env)
8335517Snate@binkert.org# Generate a file with all of the compile options in it
8345517Snate@binkert.orgenv.Command('python/m5/defines.py', defines_info,
8355517Snate@binkert.org            MakeAction(makeDefinesPyFile, Transform("DEFINES", 0)))
8365517Snate@binkert.orgPySource('m5', 'python/m5/defines.py')
8375517Snate@binkert.org
8385517Snate@binkert.org# Generate python file containing info about the M5 source code
8395517Snate@binkert.orgdef makeInfoPyFile(target, source, env):
8405517Snate@binkert.org    code = code_formatter()
8415517Snate@binkert.org    for src in source:
8425517Snate@binkert.org        data = ''.join(file(src.srcnode().abspath, 'r').xreadlines())
8437673Snate@binkert.org        code('$src = ${{repr(data)}}')
8445517Snate@binkert.org    code.write(str(target[0]))
8457673Snate@binkert.org
8465517Snate@binkert.org# Generate a file that wraps the basic top level files
8476143Snate@binkert.orgenv.Command('python/m5/info.py',
8487756SAli.Saidi@ARM.com            [ '#/COPYING', '#/LICENSE', '#/README', ],
8497756SAli.Saidi@ARM.com            MakeAction(makeInfoPyFile, Transform("INFO")))
8505192Ssaidi@eecs.umich.eduPySource('m5', 'python/m5/info.py')
8515192Ssaidi@eecs.umich.edu
8527756SAli.Saidi@ARM.com########################################################################
8537756SAli.Saidi@ARM.com#
8547756SAli.Saidi@ARM.com# Create all of the SimObject param headers and enum headers
8557756SAli.Saidi@ARM.com#
8565192Ssaidi@eecs.umich.edu
8575192Ssaidi@eecs.umich.edudef createSimObjectParamStruct(target, source, env):
8587674Snate@binkert.org    assert len(target) == 1 and len(source) == 1
8595522Snate@binkert.org
8605522Snate@binkert.org    name = source[0].get_text_contents()
8617674Snate@binkert.org    obj = sim_objects[name]
8627674Snate@binkert.org
8637674Snate@binkert.org    code = code_formatter()
8647674Snate@binkert.org    obj.cxx_param_decl(code)
8657674Snate@binkert.org    code.write(target[0].abspath)
8667674Snate@binkert.org
8677674Snate@binkert.orgdef createSimObjectCxxConfig(is_header):
8687674Snate@binkert.org    def body(target, source, env):
8695522Snate@binkert.org        assert len(target) == 1 and len(source) == 1
8705522Snate@binkert.org
8715522Snate@binkert.org        name = str(source[0].get_contents())
8725517Snate@binkert.org        obj = sim_objects[name]
8735522Snate@binkert.org
8745517Snate@binkert.org        code = code_formatter()
8756143Snate@binkert.org        obj.cxx_config_param_file(code, is_header)
8766727Ssteve.reinhardt@amd.com        code.write(target[0].abspath)
8775522Snate@binkert.org    return body
8785522Snate@binkert.org
8795522Snate@binkert.orgdef createEnumStrings(target, source, env):
8807674Snate@binkert.org    assert len(target) == 1 and len(source) == 2
8815517Snate@binkert.org
8827673Snate@binkert.org    name = source[0].get_text_contents()
8837673Snate@binkert.org    use_python = source[1].read()
8847674Snate@binkert.org    obj = all_enums[name]
8857673Snate@binkert.org
8867674Snate@binkert.org    code = code_formatter()
8877674Snate@binkert.org    obj.cxx_def(code)
8887674Snate@binkert.org    if use_python:
8897674Snate@binkert.org        obj.pybind_def(code)
8907674Snate@binkert.org    code.write(target[0].abspath)
8917674Snate@binkert.org
8925522Snate@binkert.orgdef createEnumDecls(target, source, env):
8935522Snate@binkert.org    assert len(target) == 1 and len(source) == 1
8947674Snate@binkert.org
8957674Snate@binkert.org    name = source[0].get_text_contents()
8967674Snate@binkert.org    obj = all_enums[name]
8977674Snate@binkert.org
8987673Snate@binkert.org    code = code_formatter()
8997674Snate@binkert.org    obj.cxx_decl(code)
9007674Snate@binkert.org    code.write(target[0].abspath)
9017674Snate@binkert.org
9027674Snate@binkert.orgdef createSimObjectPyBindWrapper(target, source, env):
9037674Snate@binkert.org    name = source[0].get_text_contents()
9047674Snate@binkert.org    obj = sim_objects[name]
9057674Snate@binkert.org
9067674Snate@binkert.org    code = code_formatter()
9077674Snate@binkert.org    obj.pybind_decl(code)
9087674Snate@binkert.org    code.write(target[0].abspath)
9097673Snate@binkert.org
9105522Snate@binkert.org# Generate all of the SimObject param C++ struct header files
9116143Snate@binkert.orgparams_hh_files = []
9127756SAli.Saidi@ARM.comfor name,simobj in sorted(sim_objects.iteritems()):
9137756SAli.Saidi@ARM.com    py_source = PySource.modules[simobj.__module__]
9147674Snate@binkert.org    extra_deps = [ py_source.tnode ]
9154382Sbinkertn@umich.edu
9164382Sbinkertn@umich.edu    hh_file = File('params/%s.hh' % name)
9174382Sbinkertn@umich.edu    params_hh_files.append(hh_file)
9184382Sbinkertn@umich.edu    env.Command(hh_file, Value(name),
9194382Sbinkertn@umich.edu                MakeAction(createSimObjectParamStruct, Transform("SO PARAM")))
9204382Sbinkertn@umich.edu    env.Depends(hh_file, depends + extra_deps)
9214382Sbinkertn@umich.edu
9224382Sbinkertn@umich.edu# C++ parameter description files
9234382Sbinkertn@umich.eduif GetOption('with_cxx_config'):
9244382Sbinkertn@umich.edu    for name,simobj in sorted(sim_objects.iteritems()):
9256143Snate@binkert.org        py_source = PySource.modules[simobj.__module__]
926955SN/A        extra_deps = [ py_source.tnode ]
9272655Sstever@eecs.umich.edu
9282655Sstever@eecs.umich.edu        cxx_config_hh_file = File('cxx_config/%s.hh' % name)
9292655Sstever@eecs.umich.edu        cxx_config_cc_file = File('cxx_config/%s.cc' % name)
9302655Sstever@eecs.umich.edu        env.Command(cxx_config_hh_file, Value(name),
9312655Sstever@eecs.umich.edu                    MakeAction(createSimObjectCxxConfig(True),
9325601Snate@binkert.org                    Transform("CXXCPRHH")))
9335601Snate@binkert.org        env.Command(cxx_config_cc_file, Value(name),
9345601Snate@binkert.org                    MakeAction(createSimObjectCxxConfig(False),
9355601Snate@binkert.org                    Transform("CXXCPRCC")))
9365522Snate@binkert.org        env.Depends(cxx_config_hh_file, depends + extra_deps +
9375863Snate@binkert.org                    [File('params/%s.hh' % name), File('sim/cxx_config.hh')])
9385601Snate@binkert.org        env.Depends(cxx_config_cc_file, depends + extra_deps +
9395601Snate@binkert.org                    [cxx_config_hh_file])
9405601Snate@binkert.org        Source(cxx_config_cc_file)
9415863Snate@binkert.org
9426143Snate@binkert.org    cxx_config_init_cc_file = File('cxx_config/init.cc')
9435559Snate@binkert.org
9445559Snate@binkert.org    def createCxxConfigInitCC(target, source, env):
9455559Snate@binkert.org        assert len(target) == 1 and len(source) == 1
9465559Snate@binkert.org
9475601Snate@binkert.org        code = code_formatter()
9486143Snate@binkert.org
9496143Snate@binkert.org        for name,simobj in sorted(sim_objects.iteritems()):
9506143Snate@binkert.org            if not hasattr(simobj, 'abstract') or not simobj.abstract:
9516143Snate@binkert.org                code('#include "cxx_config/${name}.hh"')
9526143Snate@binkert.org        code()
9536143Snate@binkert.org        code('void cxxConfigInit()')
9546143Snate@binkert.org        code('{')
9556143Snate@binkert.org        code.indent()
9566143Snate@binkert.org        for name,simobj in sorted(sim_objects.iteritems()):
9576143Snate@binkert.org            not_abstract = not hasattr(simobj, 'abstract') or \
9586143Snate@binkert.org                not simobj.abstract
9596143Snate@binkert.org            if not_abstract and 'type' in simobj.__dict__:
9606143Snate@binkert.org                code('cxx_config_directory["${name}"] = '
9616143Snate@binkert.org                     '${name}CxxConfigParams::makeDirectoryEntry();')
9626143Snate@binkert.org        code.dedent()
9636143Snate@binkert.org        code('}')
9646143Snate@binkert.org        code.write(target[0].abspath)
9656143Snate@binkert.org
9666143Snate@binkert.org    py_source = PySource.modules[simobj.__module__]
9676143Snate@binkert.org    extra_deps = [ py_source.tnode ]
9686143Snate@binkert.org    env.Command(cxx_config_init_cc_file, Value(name),
9696143Snate@binkert.org        MakeAction(createCxxConfigInitCC, Transform("CXXCINIT")))
9706143Snate@binkert.org    cxx_param_hh_files = ["cxx_config/%s.hh" % simobj
9716143Snate@binkert.org        for name,simobj in sorted(sim_objects.iteritems())
9726143Snate@binkert.org        if not hasattr(simobj, 'abstract') or not simobj.abstract]
9736143Snate@binkert.org    Depends(cxx_config_init_cc_file, cxx_param_hh_files +
9746143Snate@binkert.org            [File('sim/cxx_config.hh')])
9756143Snate@binkert.org    Source(cxx_config_init_cc_file)
9766143Snate@binkert.org
9776143Snate@binkert.org# Generate all enum header files
9786143Snate@binkert.orgfor name,enum in sorted(all_enums.iteritems()):
9796143Snate@binkert.org    py_source = PySource.modules[enum.__module__]
9806240Snate@binkert.org    extra_deps = [ py_source.tnode ]
9815554Snate@binkert.org
9825522Snate@binkert.org    cc_file = File('enums/%s.cc' % name)
9835522Snate@binkert.org    env.Command(cc_file, [Value(name), Value(env['USE_PYTHON'])],
9845797Snate@binkert.org                MakeAction(createEnumStrings, Transform("ENUM STR")))
9855797Snate@binkert.org    env.Depends(cc_file, depends + extra_deps)
9865522Snate@binkert.org    Source(cc_file)
9875584Snate@binkert.org
9886143Snate@binkert.org    hh_file = File('enums/%s.hh' % name)
9895862Snate@binkert.org    env.Command(hh_file, Value(name),
9905584Snate@binkert.org                MakeAction(createEnumDecls, Transform("ENUMDECL")))
9915601Snate@binkert.org    env.Depends(hh_file, depends + extra_deps)
9926143Snate@binkert.org
9936143Snate@binkert.org# Generate SimObject Python bindings wrapper files
9942655Sstever@eecs.umich.eduif env['USE_PYTHON']:
9956143Snate@binkert.org    for name,simobj in sorted(sim_objects.iteritems()):
9966143Snate@binkert.org        py_source = PySource.modules[simobj.__module__]
9976143Snate@binkert.org        extra_deps = [ py_source.tnode ]
9986143Snate@binkert.org        cc_file = File('python/_m5/param_%s.cc' % name)
9996143Snate@binkert.org        env.Command(cc_file, Value(name),
10004007Ssaidi@eecs.umich.edu                    MakeAction(createSimObjectPyBindWrapper,
10014596Sbinkertn@umich.edu                               Transform("SO PyBind")))
10024007Ssaidi@eecs.umich.edu        env.Depends(cc_file, depends + extra_deps)
10034596Sbinkertn@umich.edu        Source(cc_file)
10047756SAli.Saidi@ARM.com
10057756SAli.Saidi@ARM.com# Build all protocol buffers if we have got protoc and protobuf available
10065522Snate@binkert.orgif env['HAVE_PROTOBUF']:
10075601Snate@binkert.org    for proto in ProtoBuf.all:
10085601Snate@binkert.org        # Use both the source and header as the target, and the .proto
10092655Sstever@eecs.umich.edu        # file as the source. When executing the protoc compiler, also
1010955SN/A        # specify the proto_path to avoid having the generated files
10113918Ssaidi@eecs.umich.edu        # include the path.
10123918Ssaidi@eecs.umich.edu        env.Command([proto.cc_file, proto.hh_file], proto.tnode,
10133918Ssaidi@eecs.umich.edu                    MakeAction('$PROTOC --cpp_out ${TARGET.dir} '
10143918Ssaidi@eecs.umich.edu                               '--proto_path ${SOURCE.dir} $SOURCE',
10153918Ssaidi@eecs.umich.edu                               Transform("PROTOC")))
10163918Ssaidi@eecs.umich.edu
10173918Ssaidi@eecs.umich.edu        # Add the C++ source file
10183918Ssaidi@eecs.umich.edu        Source(proto.cc_file, tags=proto.tags)
10193918Ssaidi@eecs.umich.eduelif ProtoBuf.all:
10203918Ssaidi@eecs.umich.edu    print('Got protobuf to build, but lacks support!')
10213918Ssaidi@eecs.umich.edu    Exit(1)
10223918Ssaidi@eecs.umich.edu
10233918Ssaidi@eecs.umich.edu#
10243918Ssaidi@eecs.umich.edu# Handle debug flags
10253940Ssaidi@eecs.umich.edu#
10263940Ssaidi@eecs.umich.edudef makeDebugFlagCC(target, source, env):
10273940Ssaidi@eecs.umich.edu    assert(len(target) == 1 and len(source) == 1)
10283942Ssaidi@eecs.umich.edu
10293940Ssaidi@eecs.umich.edu    code = code_formatter()
10303515Ssaidi@eecs.umich.edu
10313918Ssaidi@eecs.umich.edu    # delay definition of CompoundFlags until after all the definition
10324762Snate@binkert.org    # of all constituent SimpleFlags
10333515Ssaidi@eecs.umich.edu    comp_code = code_formatter()
10342655Sstever@eecs.umich.edu
10353918Ssaidi@eecs.umich.edu    # file header
10363619Sbinkertn@umich.edu    code('''
1037955SN/A/*
1038955SN/A * DO NOT EDIT THIS FILE! Automatically generated by SCons.
10392655Sstever@eecs.umich.edu */
10403918Ssaidi@eecs.umich.edu
10413619Sbinkertn@umich.edu#include "base/debug.hh"
1042955SN/A
1043955SN/Anamespace Debug {
10442655Sstever@eecs.umich.edu
10453918Ssaidi@eecs.umich.edu''')
10463619Sbinkertn@umich.edu
1047955SN/A    for name, flag in sorted(source[0].read().iteritems()):
1048955SN/A        n, compound, desc = flag
10492655Sstever@eecs.umich.edu        assert n == name
10503918Ssaidi@eecs.umich.edu
10513683Sstever@eecs.umich.edu        if not compound:
10522655Sstever@eecs.umich.edu            code('SimpleFlag $name("$name", "$desc");')
10531869SN/A        else:
10541869SN/A            comp_code('CompoundFlag $name("$name", "$desc",')
1055            comp_code.indent()
1056            last = len(compound) - 1
1057            for i,flag in enumerate(compound):
1058                if i != last:
1059                    comp_code('&$flag,')
1060                else:
1061                    comp_code('&$flag);')
1062            comp_code.dedent()
1063
1064    code.append(comp_code)
1065    code()
1066    code('} // namespace Debug')
1067
1068    code.write(str(target[0]))
1069
1070def makeDebugFlagHH(target, source, env):
1071    assert(len(target) == 1 and len(source) == 1)
1072
1073    val = eval(source[0].get_contents())
1074    name, compound, desc = val
1075
1076    code = code_formatter()
1077
1078    # file header boilerplate
1079    code('''\
1080/*
1081 * DO NOT EDIT THIS FILE! Automatically generated by SCons.
1082 */
1083
1084#ifndef __DEBUG_${name}_HH__
1085#define __DEBUG_${name}_HH__
1086
1087namespace Debug {
1088''')
1089
1090    if compound:
1091        code('class CompoundFlag;')
1092    code('class SimpleFlag;')
1093
1094    if compound:
1095        code('extern CompoundFlag $name;')
1096        for flag in compound:
1097            code('extern SimpleFlag $flag;')
1098    else:
1099        code('extern SimpleFlag $name;')
1100
1101    code('''
1102}
1103
1104#endif // __DEBUG_${name}_HH__
1105''')
1106
1107    code.write(str(target[0]))
1108
1109for name,flag in sorted(debug_flags.iteritems()):
1110    n, compound, desc = flag
1111    assert n == name
1112
1113    hh_file = 'debug/%s.hh' % name
1114    env.Command(hh_file, Value(flag),
1115                MakeAction(makeDebugFlagHH, Transform("TRACING", 0)))
1116
1117env.Command('debug/flags.cc', Value(debug_flags),
1118            MakeAction(makeDebugFlagCC, Transform("TRACING", 0)))
1119Source('debug/flags.cc')
1120
1121# version tags
1122tags = \
1123env.Command('sim/tags.cc', None,
1124            MakeAction('util/cpt_upgrader.py --get-cc-file > $TARGET',
1125                       Transform("VER TAGS")))
1126env.AlwaysBuild(tags)
1127
1128# Embed python files.  All .py files that have been indicated by a
1129# PySource() call in a SConscript need to be embedded into the M5
1130# library.  To do that, we compile the file to byte code, marshal the
1131# byte code, compress it, and then generate a c++ file that
1132# inserts the result into an array.
1133def embedPyFile(target, source, env):
1134    def c_str(string):
1135        if string is None:
1136            return "0"
1137        return '"%s"' % string
1138
1139    '''Action function to compile a .py into a code object, marshal
1140    it, compress it, and stick it into an asm file so the code appears
1141    as just bytes with a label in the data section'''
1142
1143    src = file(str(source[0]), 'r').read()
1144
1145    pysource = PySource.tnodes[source[0]]
1146    compiled = compile(src, pysource.abspath, 'exec')
1147    marshalled = marshal.dumps(compiled)
1148    compressed = zlib.compress(marshalled)
1149    data = compressed
1150    sym = pysource.symname
1151
1152    code = code_formatter()
1153    code('''\
1154#include "sim/init.hh"
1155
1156namespace {
1157
1158''')
1159    blobToCpp(data, 'data_' + sym, code)
1160    code('''\
1161
1162
1163EmbeddedPython embedded_${sym}(
1164    ${{c_str(pysource.arcname)}},
1165    ${{c_str(pysource.abspath)}},
1166    ${{c_str(pysource.modpath)}},
1167    data_${sym},
1168    ${{len(data)}},
1169    ${{len(marshalled)}});
1170
1171} // anonymous namespace
1172''')
1173    code.write(str(target[0]))
1174
1175for source in PySource.all:
1176    env.Command(source.cpp, source.tnode,
1177                MakeAction(embedPyFile, Transform("EMBED PY")))
1178    Source(source.cpp, tags=source.tags, add_tags='python')
1179
1180########################################################################
1181#
1182# Define binaries.  Each different build type (debug, opt, etc.) gets
1183# a slightly different build environment.
1184#
1185
1186# List of constructed environments to pass back to SConstruct
1187date_source = Source('base/date.cc', tags=[])
1188
1189gem5_binary = Gem5('gem5')
1190
1191# Function to create a new build environment as clone of current
1192# environment 'env' with modified object suffix and optional stripped
1193# binary.  Additional keyword arguments are appended to corresponding
1194# build environment vars.
1195def makeEnv(env, label, objsfx, strip=False, disable_partial=False, **kwargs):
1196    # SCons doesn't know to append a library suffix when there is a '.' in the
1197    # name.  Use '_' instead.
1198    libname = 'gem5_' + label
1199    secondary_exename = 'm5.' + label
1200
1201    new_env = env.Clone(OBJSUFFIX=objsfx, SHOBJSUFFIX=objsfx + 's')
1202    new_env.Label = label
1203    new_env.Append(**kwargs)
1204
1205    lib_sources = Source.all.with_tag('gem5 lib')
1206
1207    # Without Python, leave out all Python content from the library
1208    # builds.  The option doesn't affect gem5 built as a program
1209    if GetOption('without_python'):
1210        lib_sources = lib_sources.without_tag('python')
1211
1212    static_objs = []
1213    shared_objs = []
1214
1215    for s in lib_sources.with_tag(Source.ungrouped_tag):
1216        static_objs.append(s.static(new_env))
1217        shared_objs.append(s.shared(new_env))
1218
1219    for group in Source.source_groups:
1220        srcs = lib_sources.with_tag(Source.link_group_tag(group))
1221        if not srcs:
1222            continue
1223
1224        group_static = [ s.static(new_env) for s in srcs ]
1225        group_shared = [ s.shared(new_env) for s in srcs ]
1226
1227        # If partial linking is disabled, add these sources to the build
1228        # directly, and short circuit this loop.
1229        if disable_partial:
1230            static_objs.extend(group_static)
1231            shared_objs.extend(group_shared)
1232            continue
1233
1234        # Set up the static partially linked objects.
1235        file_name = new_env.subst("${OBJPREFIX}lib${OBJSUFFIX}.partial")
1236        target = File(joinpath(group, file_name))
1237        partial = env.PartialStatic(target=target, source=group_static)
1238        static_objs.extend(partial)
1239
1240        # Set up the shared partially linked objects.
1241        file_name = new_env.subst("${SHOBJPREFIX}lib${SHOBJSUFFIX}.partial")
1242        target = File(joinpath(group, file_name))
1243        partial = env.PartialShared(target=target, source=group_shared)
1244        shared_objs.extend(partial)
1245
1246    static_date = date_source.static(new_env)
1247    new_env.Depends(static_date, static_objs)
1248    static_objs.extend(static_date)
1249
1250    shared_date = date_source.shared(new_env)
1251    new_env.Depends(shared_date, shared_objs)
1252    shared_objs.extend(shared_date)
1253
1254    main_objs = [ s.static(new_env) for s in Source.all.with_tag('main') ]
1255
1256    # First make a library of everything but main() so other programs can
1257    # link against m5.
1258    static_lib = new_env.StaticLibrary(libname, static_objs)
1259    shared_lib = new_env.SharedLibrary(libname, shared_objs)
1260
1261    # Keep track of the object files generated so far so Executables can
1262    # include them.
1263    new_env['STATIC_OBJS'] = static_objs
1264    new_env['SHARED_OBJS'] = shared_objs
1265    new_env['MAIN_OBJS'] = main_objs
1266
1267    new_env['STATIC_LIB'] = static_lib
1268    new_env['SHARED_LIB'] = shared_lib
1269
1270    # Record some settings for building Executables.
1271    new_env['EXE_SUFFIX'] = label
1272    new_env['STRIP_EXES'] = strip
1273
1274    for cls in ExecutableMeta.all:
1275        cls.declare_all(new_env)
1276
1277    new_env.M5Binary = File(gem5_binary.path(new_env))
1278
1279    new_env.Command(secondary_exename, new_env.M5Binary,
1280            MakeAction('ln $SOURCE $TARGET', Transform("HARDLINK")))
1281
1282    # Set up regression tests.
1283    SConscript(os.path.join(env.root.abspath, 'tests', 'SConscript'),
1284               variant_dir=Dir('tests').Dir(new_env.Label),
1285               exports={ 'env' : new_env }, duplicate=False)
1286
1287# Start out with the compiler flags common to all compilers,
1288# i.e. they all use -g for opt and -g -pg for prof
1289ccflags = {'debug' : [], 'opt' : ['-g'], 'fast' : [], 'prof' : ['-g', '-pg'],
1290           'perf' : ['-g']}
1291
1292# Start out with the linker flags common to all linkers, i.e. -pg for
1293# prof, and -lprofiler for perf. The -lprofile flag is surrounded by
1294# no-as-needed and as-needed as the binutils linker is too clever and
1295# simply doesn't link to the library otherwise.
1296ldflags = {'debug' : [], 'opt' : [], 'fast' : [], 'prof' : ['-pg'],
1297           'perf' : ['-Wl,--no-as-needed', '-lprofiler', '-Wl,--as-needed']}
1298
1299# For Link Time Optimization, the optimisation flags used to compile
1300# individual files are decoupled from those used at link time
1301# (i.e. you can compile with -O3 and perform LTO with -O0), so we need
1302# to also update the linker flags based on the target.
1303if env['GCC']:
1304    if sys.platform == 'sunos5':
1305        ccflags['debug'] += ['-gstabs+']
1306    else:
1307        ccflags['debug'] += ['-ggdb3']
1308    ldflags['debug'] += ['-O0']
1309    # opt, fast, prof and perf all share the same cc flags, also add
1310    # the optimization to the ldflags as LTO defers the optimization
1311    # to link time
1312    for target in ['opt', 'fast', 'prof', 'perf']:
1313        ccflags[target] += ['-O3']
1314        ldflags[target] += ['-O3']
1315
1316    ccflags['fast'] += env['LTO_CCFLAGS']
1317    ldflags['fast'] += env['LTO_LDFLAGS']
1318elif env['CLANG']:
1319    ccflags['debug'] += ['-g', '-O0']
1320    # opt, fast, prof and perf all share the same cc flags
1321    for target in ['opt', 'fast', 'prof', 'perf']:
1322        ccflags[target] += ['-O3']
1323else:
1324    print('Unknown compiler, please fix compiler options')
1325    Exit(1)
1326
1327
1328# To speed things up, we only instantiate the build environments we
1329# need.  We try to identify the needed environment for each target; if
1330# we can't, we fall back on instantiating all the environments just to
1331# be safe.
1332target_types = ['debug', 'opt', 'fast', 'prof', 'perf']
1333obj2target = {'do': 'debug', 'o': 'opt', 'fo': 'fast', 'po': 'prof',
1334              'gpo' : 'perf'}
1335
1336def identifyTarget(t):
1337    ext = t.split('.')[-1]
1338    if ext in target_types:
1339        return ext
1340    if obj2target.has_key(ext):
1341        return obj2target[ext]
1342    match = re.search(r'/tests/([^/]+)/', t)
1343    if match and match.group(1) in target_types:
1344        return match.group(1)
1345    return 'all'
1346
1347needed_envs = [identifyTarget(target) for target in BUILD_TARGETS]
1348if 'all' in needed_envs:
1349    needed_envs += target_types
1350
1351disable_partial = False
1352if env['PLATFORM'] == 'darwin':
1353    # Up until Apple LLVM version 10.0.0 (clang-1000.11.45.5), partial
1354    # linked objects do not expose symbols that are marked with the
1355    # hidden visibility and consequently building gem5 on Mac OS
1356    # fails. As a workaround, we disable partial linking, however, we
1357    # may want to revisit in the future.
1358    disable_partial = True
1359
1360# Debug binary
1361if 'debug' in needed_envs:
1362    makeEnv(env, 'debug', '.do',
1363            CCFLAGS = Split(ccflags['debug']),
1364            CPPDEFINES = ['DEBUG', 'TRACING_ON=1'],
1365            LINKFLAGS = Split(ldflags['debug']),
1366            disable_partial=disable_partial)
1367
1368# Optimized binary
1369if 'opt' in needed_envs:
1370    makeEnv(env, 'opt', '.o',
1371            CCFLAGS = Split(ccflags['opt']),
1372            CPPDEFINES = ['TRACING_ON=1'],
1373            LINKFLAGS = Split(ldflags['opt']),
1374            disable_partial=disable_partial)
1375
1376# "Fast" binary
1377if 'fast' in needed_envs:
1378    disable_partial = disable_partial and \
1379            env.get('BROKEN_INCREMENTAL_LTO', False) and \
1380            GetOption('force_lto')
1381    makeEnv(env, 'fast', '.fo', strip = True,
1382            CCFLAGS = Split(ccflags['fast']),
1383            CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1384            LINKFLAGS = Split(ldflags['fast']),
1385            disable_partial=disable_partial)
1386
1387# Profiled binary using gprof
1388if 'prof' in needed_envs:
1389    makeEnv(env, 'prof', '.po',
1390            CCFLAGS = Split(ccflags['prof']),
1391            CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1392            LINKFLAGS = Split(ldflags['prof']),
1393            disable_partial=disable_partial)
1394
1395# Profiled binary using google-pprof
1396if 'perf' in needed_envs:
1397    makeEnv(env, 'perf', '.gpo',
1398            CCFLAGS = Split(ccflags['perf']),
1399            CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
1400            LINKFLAGS = Split(ldflags['perf']),
1401            disable_partial=disable_partial)
1402