SConscript revision 13993
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
3711974Sgabeblack@google.com# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
38955SN/A# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
395522Snate@binkert.org#
404202Sbinkertn@umich.edu# Authors: Nathan Binkert
415742Snate@binkert.org
42955SN/Afrom __future__ import print_function
434381Sbinkertn@umich.edu
444381Sbinkertn@umich.eduimport array
458334Snate@binkert.orgimport bisect
46955SN/Aimport functools
47955SN/Aimport imp
484202Sbinkertn@umich.eduimport os
49955SN/Aimport re
504382Sbinkertn@umich.eduimport sys
514382Sbinkertn@umich.eduimport zlib
524382Sbinkertn@umich.edu
536654Snate@binkert.orgfrom os.path import basename, dirname, exists, isdir, isfile, join as joinpath
545517Snate@binkert.org
558614Sgblack@eecs.umich.eduimport SCons
567674Snate@binkert.org
576143Snate@binkert.orgfrom gem5_scons import Transform
586143Snate@binkert.org
596143Snate@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
648233Snate@binkert.org# Children need to see the environment
658334Snate@binkert.orgExport('env')
668334Snate@binkert.org
6710453SAndrew.Bardsley@arm.combuild_env = [(opt, env[opt]) for opt in export_vars]
6810453SAndrew.Bardsley@arm.com
698233Snate@binkert.orgfrom m5.util import code_formatter, compareVersions
708233Snate@binkert.org
718233Snate@binkert.org########################################################################
728233Snate@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
7511983Sgabeblack@google.com# specified for that file.
7611983Sgabeblack@google.com
7711983Sgabeblack@google.comclass SourceFilter(object):
7811983Sgabeblack@google.com    def __init__(self, predicate):
7911983Sgabeblack@google.com        self.predicate = predicate
8011983Sgabeblack@google.com
8111983Sgabeblack@google.com    def __or__(self, other):
8211983Sgabeblack@google.com        return SourceFilter(lambda tags: self.predicate(tags) or
8311983Sgabeblack@google.com                                         other.predicate(tags))
8411983Sgabeblack@google.com
8511983Sgabeblack@google.com    def __and__(self, other):
866143Snate@binkert.org        return SourceFilter(lambda tags: self.predicate(tags) and
878233Snate@binkert.org                                         other.predicate(tags))
888233Snate@binkert.org
898233Snate@binkert.orgdef with_tags_that(predicate):
906143Snate@binkert.org    '''Return a list of sources with tags that satisfy a predicate.'''
916143Snate@binkert.org    return SourceFilter(predicate)
926143Snate@binkert.org
9311308Santhony.gutierrez@amd.comdef 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
9711983Sgabeblack@google.comdef with_all_tags(*tags):
9811983Sgabeblack@google.com    '''Return a list of sources with all of the supplied tags.'''
994762Snate@binkert.org    return SourceFilter(lambda stags: set(tags) <= stags)
1006143Snate@binkert.org
1018233Snate@binkert.orgdef with_tag(tag):
1028233Snate@binkert.org    '''Return a list of sources with the supplied tag.'''
1038233Snate@binkert.org    return SourceFilter(lambda stags: tag in stags)
1048233Snate@binkert.org
1058233Snate@binkert.orgdef without_tags(*tags):
1066143Snate@binkert.org    '''Return a list of sources without any of the supplied tags.'''
1078233Snate@binkert.org    return SourceFilter(lambda stags: len(set(tags) & stags) == 0)
1088233Snate@binkert.org
1098233Snate@binkert.orgdef without_tag(tag):
1108233Snate@binkert.org    '''Return a list of sources with the supplied tag.'''
1116143Snate@binkert.org    return SourceFilter(lambda stags: tag not in stags)
1126143Snate@binkert.org
1136143Snate@binkert.orgsource_filter_factories = {
1146143Snate@binkert.org    'with_tags_that': with_tags_that,
1156143Snate@binkert.org    'with_any_tags': with_any_tags,
1166143Snate@binkert.org    'with_all_tags': with_all_tags,
1176143Snate@binkert.org    'with_tag': with_tag,
1186143Snate@binkert.org    'without_tags': without_tags,
1196143Snate@binkert.org    'without_tag': without_tag,
1207065Snate@binkert.org}
1216143Snate@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)
1458233Snate@binkert.org        cls.all = SourceList()
1468233Snate@binkert.org
1478233Snate@binkert.orgclass SourceFile(object):
1488233Snate@binkert.org    '''Base object that encapsulates the notion of a source file.
1498233Snate@binkert.org    This includes, the source node, target node, various manipulations
1508233Snate@binkert.org    of those.  A source file also specifies a set of tags which
1518233Snate@binkert.org    describing arbitrary properties of the source file.'''
1528233Snate@binkert.org    __metaclass__ = SourceMeta
1536143Snate@binkert.org
1546143Snate@binkert.org    static_objs = {}
1556143Snate@binkert.org    shared_objs = {}
1566143Snate@binkert.org
1576143Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
1586143Snate@binkert.org        if tags is None:
1599982Satgutier@umich.edu            tags='gem5 lib'
16010196SCurtis.Dunham@arm.com        if isinstance(tags, basestring):
16110196SCurtis.Dunham@arm.com            tags = set([tags])
16210196SCurtis.Dunham@arm.com        if not isinstance(tags, set):
16310196SCurtis.Dunham@arm.com            tags = set(tags)
16410196SCurtis.Dunham@arm.com        self.tags = tags
16510196SCurtis.Dunham@arm.com
16610196SCurtis.Dunham@arm.com        if add_tags:
16710196SCurtis.Dunham@arm.com            if isinstance(add_tags, basestring):
1686143Snate@binkert.org                add_tags = set([add_tags])
16911983Sgabeblack@google.com            if not isinstance(add_tags, set):
17011983Sgabeblack@google.com                add_tags = set(add_tags)
17111983Sgabeblack@google.com            self.tags |= add_tags
17211983Sgabeblack@google.com
17311983Sgabeblack@google.com        tnode = source
17411983Sgabeblack@google.com        if not isinstance(source, SCons.Node.FS.File):
17511983Sgabeblack@google.com            tnode = File(source)
17611983Sgabeblack@google.com
17711983Sgabeblack@google.com        self.tnode = tnode
1786143Snate@binkert.org        self.snode = tnode.srcnode()
1798945Ssteve.reinhardt@amd.com
1808233Snate@binkert.org        for base in type(self).__mro__:
1818233Snate@binkert.org            if issubclass(base, SourceFile):
1826143Snate@binkert.org                base.all.append(self)
1838945Ssteve.reinhardt@amd.com
1846143Snate@binkert.org    def static(self, env):
1856143Snate@binkert.org        key = (self.tnode, env['OBJSUFFIX'])
18611983Sgabeblack@google.com        if not key in self.static_objs:
18711983Sgabeblack@google.com            self.static_objs[key] = env.StaticObject(self.tnode)
1886143Snate@binkert.org        return self.static_objs[key]
1896143Snate@binkert.org
1905522Snate@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)
1949982Satgutier@umich.edu        return self.shared_objs[key]
1958233Snate@binkert.org
1968233Snate@binkert.org    @property
1978233Snate@binkert.org    def filename(self):
1986143Snate@binkert.org        return str(self.tnode)
1996143Snate@binkert.org
2006143Snate@binkert.org    @property
2016143Snate@binkert.org    def dirname(self):
2025522Snate@binkert.org        return dirname(self.filename)
2035522Snate@binkert.org
2045522Snate@binkert.org    @property
2055522Snate@binkert.org    def basename(self):
2065604Snate@binkert.org        return basename(self.filename)
2075604Snate@binkert.org
2086143Snate@binkert.org    @property
2096143Snate@binkert.org    def extname(self):
2104762Snate@binkert.org        index = self.basename.rfind('.')
2114762Snate@binkert.org        if index <= 0:
2126143Snate@binkert.org            # dot files aren't extensions
2136727Ssteve.reinhardt@amd.com            return self.basename, None
2146727Ssteve.reinhardt@amd.com
2156727Ssteve.reinhardt@amd.com        return self.basename[:index], self.basename[index+1:]
2164762Snate@binkert.org
2176143Snate@binkert.org    def __lt__(self, other): return self.filename < other.filename
2186143Snate@binkert.org    def __le__(self, other): return self.filename <= other.filename
2196143Snate@binkert.org    def __gt__(self, other): return self.filename > other.filename
2206143Snate@binkert.org    def __ge__(self, other): return self.filename >= other.filename
2216727Ssteve.reinhardt@amd.com    def __eq__(self, other): return self.filename == other.filename
2226143Snate@binkert.org    def __ne__(self, other): return self.filename != other.filename
2237674Snate@binkert.org
2247674Snate@binkert.orgdef blobToCpp(data, symbol, cpp_code, hpp_code=None, namespace=None):
2255604Snate@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
2294762Snate@binkert.org    :param data: binary data to be converted to C++
2306143Snate@binkert.org    :param symbol: name of the symbol
2314762Snate@binkert.org    :param cpp_code: append the generated cpp_code to this object
2324762Snate@binkert.org    :param hpp_code: append the generated hpp_code to this object
2334762Snate@binkert.org                     If None, ignore it. Otherwise, also include it
2346143Snate@binkert.org                     in the .cpp file.
2356143Snate@binkert.org    :param namespace: namespace to put the symbol into. If None,
2364762Snate@binkert.org                      don't put the symbols into any namespace.
2378233Snate@binkert.org    '''
2388233Snate@binkert.org    symbol_len_declaration = 'const std::size_t {}_len'.format(symbol)
2398233Snate@binkert.org    symbol_declaration = 'const std::uint8_t {}[]'.format(symbol)
2408233Snate@binkert.org    if hpp_code is not None:
2416143Snate@binkert.org        cpp_code('''\
2426143Snate@binkert.org#include "blobs/{}.hh"
2434762Snate@binkert.org'''.format(symbol))
2446143Snate@binkert.org        hpp_code('''\
2454762Snate@binkert.org#include <cstddef>
2466143Snate@binkert.org#include <cstdint>
2474762Snate@binkert.org''')
2486143Snate@binkert.org        if namespace is not None:
2498233Snate@binkert.org            hpp_code('namespace {} {{'.format(namespace))
2508233Snate@binkert.org        hpp_code('extern ' + symbol_len_declaration + ';')
25110453SAndrew.Bardsley@arm.com        hpp_code('extern ' + symbol_declaration + ';')
2526143Snate@binkert.org        if namespace is not None:
2536143Snate@binkert.org            hpp_code('}')
2546143Snate@binkert.org    if namespace is not None:
2556143Snate@binkert.org        cpp_code('namespace {} {{'.format(namespace))
25611548Sandreas.hansson@arm.com    if hpp_code is not None:
2576143Snate@binkert.org        cpp_code(symbol_len_declaration + ' = {};'.format(len(data)))
2586143Snate@binkert.org    cpp_code(symbol_declaration + ' = {')
2596143Snate@binkert.org    cpp_code.indent()
2606143Snate@binkert.org    step = 16
26110453SAndrew.Bardsley@arm.com    for i in xrange(0, len(data), step):
26210453SAndrew.Bardsley@arm.com        x = array.array('B', data[i:i+step])
263955SN/A        cpp_code(''.join('%d,' % d for d in x))
2649396Sandreas.hansson@arm.com    cpp_code.dedent()
2659396Sandreas.hansson@arm.com    cpp_code('};')
2669396Sandreas.hansson@arm.com    if namespace is not None:
2679396Sandreas.hansson@arm.com        cpp_code('}')
2689396Sandreas.hansson@arm.com
2699396Sandreas.hansson@arm.comdef Blob(blob_path, symbol):
2709396Sandreas.hansson@arm.com    '''
2719396Sandreas.hansson@arm.com    Embed an arbitrary blob into the gem5 executable,
2729396Sandreas.hansson@arm.com    and make it accessible to C++ as a byte array.
2739396Sandreas.hansson@arm.com    '''
2749396Sandreas.hansson@arm.com    blob_path = os.path.abspath(blob_path)
2759396Sandreas.hansson@arm.com    blob_out_dir = os.path.join(env['BUILDDIR'], 'blobs')
2769396Sandreas.hansson@arm.com    path_noext = joinpath(blob_out_dir, symbol)
2779930Sandreas.hansson@arm.com    cpp_path = path_noext + '.cc'
2789930Sandreas.hansson@arm.com    hpp_path = path_noext + '.hh'
2799396Sandreas.hansson@arm.com    def embedBlob(target, source, env):
2808235Snate@binkert.org        data = file(str(source[0]), 'r').read()
2818235Snate@binkert.org        cpp_code = code_formatter()
2826143Snate@binkert.org        hpp_code = code_formatter()
2838235Snate@binkert.org        blobToCpp(data, symbol, cpp_code, hpp_code, namespace='Blobs')
2849003SAli.Saidi@ARM.com        cpp_path = str(target[0])
2858235Snate@binkert.org        hpp_path = str(target[1])
2868235Snate@binkert.org        cpp_dir = os.path.split(cpp_path)[0]
2878235Snate@binkert.org        if not os.path.exists(cpp_dir):
2888235Snate@binkert.org            os.makedirs(cpp_dir)
2898235Snate@binkert.org        cpp_code.write(cpp_path)
2908235Snate@binkert.org        hpp_code.write(hpp_path)
2918235Snate@binkert.org    env.Command([cpp_path, hpp_path], blob_path,
2928235Snate@binkert.org                MakeAction(embedBlob, Transform("EMBED BLOB")))
2938235Snate@binkert.org    Source(cpp_path)
2948235Snate@binkert.org
2958235Snate@binkert.orgdef GdbXml(xml_id, symbol):
2968235Snate@binkert.org    Blob(joinpath(gdb_xml_dir, xml_id), symbol)
2978235Snate@binkert.org
2988235Snate@binkert.orgclass Source(SourceFile):
2999003SAli.Saidi@ARM.com    ungrouped_tag = 'No link group'
3008235Snate@binkert.org    source_groups = set()
3015584Snate@binkert.org
3024382Sbinkertn@umich.edu    _current_group_tag = ungrouped_tag
3034202Sbinkertn@umich.edu
3044382Sbinkertn@umich.edu    @staticmethod
3054382Sbinkertn@umich.edu    def link_group_tag(group):
3064382Sbinkertn@umich.edu        return 'link group: %s' % group
3079396Sandreas.hansson@arm.com
3085584Snate@binkert.org    @classmethod
3094382Sbinkertn@umich.edu    def set_group(cls, group):
3104382Sbinkertn@umich.edu        new_tag = Source.link_group_tag(group)
3114382Sbinkertn@umich.edu        Source._current_group_tag = new_tag
3128232Snate@binkert.org        Source.source_groups.add(group)
3135192Ssaidi@eecs.umich.edu
3148232Snate@binkert.org    def _add_link_group_tag(self):
3158232Snate@binkert.org        self.tags.add(Source._current_group_tag)
3168232Snate@binkert.org
3175192Ssaidi@eecs.umich.edu    '''Add a c/c++ source file to the build'''
3188232Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
3195192Ssaidi@eecs.umich.edu        '''specify the source file, and any tags'''
3205799Snate@binkert.org        super(Source, self).__init__(source, tags, add_tags)
3218232Snate@binkert.org        self._add_link_group_tag()
3225192Ssaidi@eecs.umich.edu
3235192Ssaidi@eecs.umich.educlass PySource(SourceFile):
3245192Ssaidi@eecs.umich.edu    '''Add a python source file to the named package'''
3258232Snate@binkert.org    invalid_sym_char = re.compile('[^A-z0-9_]')
3265192Ssaidi@eecs.umich.edu    modules = {}
3278232Snate@binkert.org    tnodes = {}
3285192Ssaidi@eecs.umich.edu    symnames = {}
3295192Ssaidi@eecs.umich.edu
3305192Ssaidi@eecs.umich.edu    def __init__(self, package, source, tags=None, add_tags=None):
3315192Ssaidi@eecs.umich.edu        '''specify the python package, the source file, and any tags'''
3324382Sbinkertn@umich.edu        super(PySource, self).__init__(source, tags, add_tags)
3334382Sbinkertn@umich.edu
3344382Sbinkertn@umich.edu        modname,ext = self.extname
3352667Sstever@eecs.umich.edu        assert ext == 'py'
3362667Sstever@eecs.umich.edu
3372667Sstever@eecs.umich.edu        if package:
3382667Sstever@eecs.umich.edu            path = package.split('.')
3392667Sstever@eecs.umich.edu        else:
3402667Sstever@eecs.umich.edu            path = []
3415742Snate@binkert.org
3425742Snate@binkert.org        modpath = path[:]
3435742Snate@binkert.org        if modname != '__init__':
3445793Snate@binkert.org            modpath += [ modname ]
3458334Snate@binkert.org        modpath = '.'.join(modpath)
3465793Snate@binkert.org
3475793Snate@binkert.org        arcpath = path + [ self.basename ]
3485793Snate@binkert.org        abspath = self.snode.abspath
3494382Sbinkertn@umich.edu        if not exists(abspath):
3504762Snate@binkert.org            abspath = self.tnode.abspath
3515344Sstever@gmail.com
3524382Sbinkertn@umich.edu        self.package = package
3535341Sstever@gmail.com        self.modname = modname
3545742Snate@binkert.org        self.modpath = modpath
3555742Snate@binkert.org        self.arcname = joinpath(*arcpath)
3565742Snate@binkert.org        self.abspath = abspath
3575742Snate@binkert.org        self.compiled = File(self.filename + 'c')
3585742Snate@binkert.org        self.cpp = File(self.filename + '.cc')
3594762Snate@binkert.org        self.symname = PySource.invalid_sym_char.sub('_', modpath)
3605742Snate@binkert.org
3615742Snate@binkert.org        PySource.modules[modpath] = self
36211984Sgabeblack@google.com        PySource.tnodes[self.tnode] = self
3637722Sgblack@eecs.umich.edu        PySource.symnames[self.symname] = self
3645742Snate@binkert.org
3655742Snate@binkert.orgclass SimObject(PySource):
3665742Snate@binkert.org    '''Add a SimObject python file as a python source object and add
3679930Sandreas.hansson@arm.com    it to a list of sim object modules'''
3689930Sandreas.hansson@arm.com
3699930Sandreas.hansson@arm.com    fixed = False
3709930Sandreas.hansson@arm.com    modnames = []
3719930Sandreas.hansson@arm.com
3725742Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
3738242Sbradley.danofsky@amd.com        '''Specify the source file and any tags (automatically in
3748242Sbradley.danofsky@amd.com        the m5.objects package)'''
3758242Sbradley.danofsky@amd.com        super(SimObject, self).__init__('m5.objects', source, tags, add_tags)
3768242Sbradley.danofsky@amd.com        if self.fixed:
3775341Sstever@gmail.com            raise AttributeError, "Too late to call SimObject now."
3785742Snate@binkert.org
3797722Sgblack@eecs.umich.edu        bisect.insort_right(SimObject.modnames, self.modname)
3804773Snate@binkert.org
3816108Snate@binkert.orgclass ProtoBuf(SourceFile):
3821858SN/A    '''Add a Protocol Buffer to build'''
3831085SN/A
3846658Snate@binkert.org    def __init__(self, source, tags=None, add_tags=None):
3856658Snate@binkert.org        '''Specify the source file, and any tags'''
3867673Snate@binkert.org        super(ProtoBuf, self).__init__(source, tags, add_tags)
3876658Snate@binkert.org
3886658Snate@binkert.org        # Get the file name and the extension
38911308Santhony.gutierrez@amd.com        modname,ext = self.extname
3906658Snate@binkert.org        assert ext == 'proto'
39111308Santhony.gutierrez@amd.com
3926658Snate@binkert.org        # Currently, we stick to generating the C++ headers, so we
3936658Snate@binkert.org        # only need to track the source and header.
3947673Snate@binkert.org        self.cc_file = File(modname + '.pb.cc')
3957673Snate@binkert.org        self.hh_file = File(modname + '.pb.h')
3967673Snate@binkert.org
3977673Snate@binkert.org
3987673Snate@binkert.orgexectuable_classes = []
3997673Snate@binkert.orgclass ExecutableMeta(type):
4007673Snate@binkert.org    '''Meta class for Executables.'''
40110467Sandreas.hansson@arm.com    all = []
4026658Snate@binkert.org
4037673Snate@binkert.org    def __init__(cls, name, bases, d):
40410467Sandreas.hansson@arm.com        if not d.pop('abstract', False):
40510467Sandreas.hansson@arm.com            ExecutableMeta.all.append(cls)
40610467Sandreas.hansson@arm.com        super(ExecutableMeta, cls).__init__(name, bases, d)
40710467Sandreas.hansson@arm.com
40810467Sandreas.hansson@arm.com        cls.all = []
40910467Sandreas.hansson@arm.com
41010467Sandreas.hansson@arm.comclass Executable(object):
41110467Sandreas.hansson@arm.com    '''Base class for creating an executable from sources.'''
41210467Sandreas.hansson@arm.com    __metaclass__ = ExecutableMeta
41310467Sandreas.hansson@arm.com
41410467Sandreas.hansson@arm.com    abstract = True
4157673Snate@binkert.org
4167673Snate@binkert.org    def __init__(self, target, *srcs_and_filts):
4177673Snate@binkert.org        '''Specify the target name and any sources. Sources that are
4187673Snate@binkert.org        not SourceFiles are evalued with Source().'''
4197673Snate@binkert.org        super(Executable, self).__init__()
4209048SAli.Saidi@ARM.com        self.all.append(self)
4217673Snate@binkert.org        self.target = target
4227673Snate@binkert.org
4237673Snate@binkert.org        isFilter = lambda arg: isinstance(arg, SourceFilter)
4247673Snate@binkert.org        self.filters = filter(isFilter, srcs_and_filts)
4256658Snate@binkert.org        sources = filter(lambda a: not isFilter(a), srcs_and_filts)
4267756SAli.Saidi@ARM.com
4277816Ssteve.reinhardt@amd.com        srcs = SourceList()
4286658Snate@binkert.org        for src in sources:
42911308Santhony.gutierrez@amd.com            if not isinstance(src, SourceFile):
43011308Santhony.gutierrez@amd.com                src = Source(src, tags=[])
43111308Santhony.gutierrez@amd.com            srcs.append(src)
43211308Santhony.gutierrez@amd.com
43311308Santhony.gutierrez@amd.com        self.sources = srcs
43411308Santhony.gutierrez@amd.com        self.dir = Dir('.')
43511308Santhony.gutierrez@amd.com
43611308Santhony.gutierrez@amd.com    def path(self, env):
43711308Santhony.gutierrez@amd.com        return self.dir.File(self.target + '.' + env['EXE_SUFFIX'])
43811308Santhony.gutierrez@amd.com
43911308Santhony.gutierrez@amd.com    def srcs_to_objs(self, env, sources):
44011308Santhony.gutierrez@amd.com        return list([ s.static(env) for s in sources ])
44111308Santhony.gutierrez@amd.com
44211308Santhony.gutierrez@amd.com    @classmethod
44311308Santhony.gutierrez@amd.com    def declare_all(cls, env):
44411308Santhony.gutierrez@amd.com        return list([ instance.declare(env) for instance in cls.all ])
44511308Santhony.gutierrez@amd.com
44611308Santhony.gutierrez@amd.com    def declare(self, env, objs=None):
44711308Santhony.gutierrez@amd.com        if objs is None:
44811308Santhony.gutierrez@amd.com            objs = self.srcs_to_objs(env, self.sources)
44911308Santhony.gutierrez@amd.com
45011308Santhony.gutierrez@amd.com        env = env.Clone()
45111308Santhony.gutierrez@amd.com        env['BIN_RPATH_PREFIX'] = os.path.relpath(
45211308Santhony.gutierrez@amd.com                env['BUILDDIR'], self.path(env).dir.abspath)
45311308Santhony.gutierrez@amd.com
45411308Santhony.gutierrez@amd.com        if env['STRIP_EXES']:
45511308Santhony.gutierrez@amd.com            stripped = self.path(env)
45611308Santhony.gutierrez@amd.com            unstripped = env.File(str(stripped) + '.unstripped')
45711308Santhony.gutierrez@amd.com            if sys.platform == 'sunos5':
45811308Santhony.gutierrez@amd.com                cmd = 'cp $SOURCE $TARGET; strip $TARGET'
45911308Santhony.gutierrez@amd.com            else:
46011308Santhony.gutierrez@amd.com                cmd = 'strip $SOURCE -o $TARGET'
46111308Santhony.gutierrez@amd.com            env.Program(unstripped, objs)
46211308Santhony.gutierrez@amd.com            return env.Command(stripped, unstripped,
46311308Santhony.gutierrez@amd.com                               MakeAction(cmd, Transform("STRIP")))
46411308Santhony.gutierrez@amd.com        else:
46511308Santhony.gutierrez@amd.com            return env.Program(self.path(env), objs)
46611308Santhony.gutierrez@amd.com
46711308Santhony.gutierrez@amd.comclass UnitTest(Executable):
46811308Santhony.gutierrez@amd.com    '''Create a UnitTest'''
46911308Santhony.gutierrez@amd.com    def __init__(self, target, *srcs_and_filts, **kwargs):
47011308Santhony.gutierrez@amd.com        super(UnitTest, self).__init__(target, *srcs_and_filts)
47111308Santhony.gutierrez@amd.com
47211308Santhony.gutierrez@amd.com        self.main = kwargs.get('main', False)
47311308Santhony.gutierrez@amd.com
4744382Sbinkertn@umich.edu    def declare(self, env):
4754382Sbinkertn@umich.edu        sources = list(self.sources)
4764762Snate@binkert.org        for f in self.filters:
4774762Snate@binkert.org            sources += Source.all.apply_filter(f)
4784762Snate@binkert.org        objs = self.srcs_to_objs(env, sources) + env['STATIC_OBJS']
4796654Snate@binkert.org        if self.main:
4806654Snate@binkert.org            objs += env['MAIN_OBJS']
4815517Snate@binkert.org        return super(UnitTest, self).declare(env, objs)
4825517Snate@binkert.org
4835517Snate@binkert.orgclass GTest(Executable):
4845517Snate@binkert.org    '''Create a unit test based on the google test framework.'''
4855517Snate@binkert.org    all = []
4865517Snate@binkert.org    def __init__(self, *srcs_and_filts, **kwargs):
4875517Snate@binkert.org        super(GTest, self).__init__(*srcs_and_filts)
4885517Snate@binkert.org
4895517Snate@binkert.org        self.skip_lib = kwargs.pop('skip_lib', False)
4905517Snate@binkert.org
4915517Snate@binkert.org    @classmethod
4925517Snate@binkert.org    def declare_all(cls, env):
4935517Snate@binkert.org        env = env.Clone()
4945517Snate@binkert.org        env.Append(LIBS=env['GTEST_LIBS'])
4955517Snate@binkert.org        env.Append(CPPFLAGS=env['GTEST_CPPFLAGS'])
4965517Snate@binkert.org        env['GTEST_LIB_SOURCES'] = Source.all.with_tag('gtest lib')
4975517Snate@binkert.org        env['GTEST_OUT_DIR'] = \
4986654Snate@binkert.org            Dir(env['BUILDDIR']).Dir('unittests.' + env['EXE_SUFFIX'])
4995517Snate@binkert.org        return super(GTest, cls).declare_all(env)
5005517Snate@binkert.org
5015517Snate@binkert.org    def declare(self, env):
5025517Snate@binkert.org        sources = list(self.sources)
5035517Snate@binkert.org        if not self.skip_lib:
50411802Sandreas.sandberg@arm.com            sources += env['GTEST_LIB_SOURCES']
5055517Snate@binkert.org        for f in self.filters:
5065517Snate@binkert.org            sources += Source.all.apply_filter(f)
5076143Snate@binkert.org        objs = self.srcs_to_objs(env, sources)
5086654Snate@binkert.org
5095517Snate@binkert.org        binary = super(GTest, self).declare(env, objs)
5105517Snate@binkert.org
5115517Snate@binkert.org        out_dir = env['GTEST_OUT_DIR']
5125517Snate@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]}"))
5155517Snate@binkert.org
5165517Snate@binkert.org        return binary
5175517Snate@binkert.org
5185517Snate@binkert.orgclass Gem5(Executable):
5195517Snate@binkert.org    '''Create a gem5 executable.'''
5205517Snate@binkert.org
5215517Snate@binkert.org    def __init__(self, target):
5225517Snate@binkert.org        super(Gem5, self).__init__(target)
5236654Snate@binkert.org
5246654Snate@binkert.org    def declare(self, env):
5255517Snate@binkert.org        objs = env['MAIN_OBJS'] + env['STATIC_OBJS']
5265517Snate@binkert.org        return super(Gem5, self).declare(env, objs)
5276143Snate@binkert.org
5286143Snate@binkert.org
5296143Snate@binkert.org# Children should have access
5306727Ssteve.reinhardt@amd.comExport('Blob')
5315517Snate@binkert.orgExport('GdbXml')
5326727Ssteve.reinhardt@amd.comExport('Source')
5335517Snate@binkert.orgExport('PySource')
5345517Snate@binkert.orgExport('SimObject')
5355517Snate@binkert.orgExport('ProtoBuf')
5366654Snate@binkert.orgExport('Executable')
5376654Snate@binkert.orgExport('UnitTest')
5387673Snate@binkert.orgExport('GTest')
5396654Snate@binkert.org
5406654Snate@binkert.org########################################################################
5416654Snate@binkert.org#
5426654Snate@binkert.org# Debug Flags
5435517Snate@binkert.org#
5445517Snate@binkert.orgdebug_flags = {}
5455517Snate@binkert.orgdef DebugFlag(name, desc=None):
5466143Snate@binkert.org    if name in debug_flags:
5475517Snate@binkert.org        raise AttributeError, "Flag %s already specified" % name
5484762Snate@binkert.org    debug_flags[name] = (name, (), desc)
5495517Snate@binkert.org
5505517Snate@binkert.orgdef CompoundFlag(name, flags, desc=None):
5516143Snate@binkert.org    if name in debug_flags:
5526143Snate@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')
5585517Snate@binkert.orgExport('CompoundFlag')
5595517Snate@binkert.org
5605517Snate@binkert.org########################################################################
5615517Snate@binkert.org#
5629338SAndreas.Sandberg@arm.com# Set some compiler variables
5639338SAndreas.Sandberg@arm.com#
5649338SAndreas.Sandberg@arm.com
5659338SAndreas.Sandberg@arm.com# Include file paths are rooted in this directory.  SCons will
5669338SAndreas.Sandberg@arm.com# automatically expand '.' to refer to both the source directory and
5679338SAndreas.Sandberg@arm.com# the corresponding build directory to pick up generated include
5688596Ssteve.reinhardt@amd.com# files.
5698596Ssteve.reinhardt@amd.comenv.Append(CPPPATH=Dir('.'))
5708596Ssteve.reinhardt@amd.com
5718596Ssteve.reinhardt@amd.comfor extra_dir in extras_dir_list:
5728596Ssteve.reinhardt@amd.com    env.Append(CPPPATH=Dir(extra_dir))
5738596Ssteve.reinhardt@amd.com
5748596Ssteve.reinhardt@amd.com# Workaround for bug in SCons version > 0.97d20071212
5756143Snate@binkert.org# Scons bug id: 2006 gem5 Bug id: 308
5765517Snate@binkert.orgfor root, dirs, files in os.walk(base_dir, topdown=True):
5776654Snate@binkert.org    Dir(root[len(base_dir) + 1:])
5786654Snate@binkert.org
5796654Snate@binkert.org########################################################################
5806654Snate@binkert.org#
5816654Snate@binkert.org# Walk the tree and execute all SConscripts in subdirectories
5826654Snate@binkert.org#
5835517Snate@binkert.org
5845517Snate@binkert.orghere = Dir('.').srcnode().abspath
5855517Snate@binkert.orgfor 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
5884762Snate@binkert.org        continue
5894762Snate@binkert.org
5904762Snate@binkert.org    if 'SConscript' in files:
5914762Snate@binkert.org        build_dir = joinpath(env['BUILDDIR'], root[len(base_dir) + 1:])
5924762Snate@binkert.org        Source.set_group(build_dir)
5934762Snate@binkert.org        SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir)
5947675Snate@binkert.org
59510584Sandreas.hansson@arm.comfor extra_dir in extras_dir_list:
5964762Snate@binkert.org    prefix_len = len(dirname(extra_dir)) + 1
5974762Snate@binkert.org
5984762Snate@binkert.org    # Also add the corresponding build directory to pick up generated
5994762Snate@binkert.org    # include files.
6004382Sbinkertn@umich.edu    env.Append(CPPPATH=Dir(joinpath(env['BUILDDIR'], extra_dir[prefix_len:])))
6014382Sbinkertn@umich.edu
6025517Snate@binkert.org    for root, dirs, files in os.walk(extra_dir, topdown=True):
6036654Snate@binkert.org        # if build lives in the extras directory, don't walk down it
6045517Snate@binkert.org        if 'build' in dirs:
6058126Sgblack@eecs.umich.edu            dirs.remove('build')
6066654Snate@binkert.org
6077673Snate@binkert.org        if 'SConscript' in files:
6086654Snate@binkert.org            build_dir = joinpath(env['BUILDDIR'], root[prefix_len:])
60911802Sandreas.sandberg@arm.com            SConscript(joinpath(root, 'SConscript'), variant_dir=build_dir)
6106654Snate@binkert.org
6116654Snate@binkert.orgfor opt in export_vars:
6126654Snate@binkert.org    env.ConfigFile(opt)
6136654Snate@binkert.org
61411802Sandreas.sandberg@arm.comdef makeTheISA(source, target, env):
6156669Snate@binkert.org    isas = [ src.get_contents() for src in source ]
61611802Sandreas.sandberg@arm.com    target_isa = env['TARGET_ISA']
6176669Snate@binkert.org    def define(isa):
6186669Snate@binkert.org        return isa.upper() + '_ISA'
6196669Snate@binkert.org
6206669Snate@binkert.org    def namespace(isa):
6216654Snate@binkert.org        return isa[0].upper() + isa[1:].lower() + 'ISA'
6227673Snate@binkert.org
6235517Snate@binkert.org
6248126Sgblack@eecs.umich.edu    code = code_formatter()
6255798Snate@binkert.org    code('''\
6267756SAli.Saidi@ARM.com#ifndef __CONFIG_THE_ISA_HH__
6277816Ssteve.reinhardt@amd.com#define __CONFIG_THE_ISA_HH__
6285798Snate@binkert.org
6295798Snate@binkert.org''')
6305517Snate@binkert.org
6315517Snate@binkert.org    # create defines for the preprocessing and compile-time determination
6327673Snate@binkert.org    for i,isa in enumerate(isas):
6335517Snate@binkert.org        code('#define $0 $1', define(isa), i + 1)
6345517Snate@binkert.org    code()
6357673Snate@binkert.org
6367673Snate@binkert.org    # create an enum for any run-time determination of the ISA, we
6375517Snate@binkert.org    # reuse the same name as the namespaces
6385798Snate@binkert.org    code('enum class Arch {')
6395798Snate@binkert.org    for i,isa in enumerate(isas):
6408333Snate@binkert.org        if i + 1 == len(isas):
6417816Ssteve.reinhardt@amd.com            code('  $0 = $1', namespace(isa), define(isa))
6425798Snate@binkert.org        else:
6435798Snate@binkert.org            code('  $0 = $1,', namespace(isa), define(isa))
6444762Snate@binkert.org    code('};')
6454762Snate@binkert.org
6464762Snate@binkert.org    code('''
6474762Snate@binkert.org
6484762Snate@binkert.org#define THE_ISA ${{define(target_isa)}}
6498596Ssteve.reinhardt@amd.com#define TheISA ${{namespace(target_isa)}}
6505517Snate@binkert.org#define THE_ISA_STR "${{target_isa}}"
6515517Snate@binkert.org
6525517Snate@binkert.org#endif // __CONFIG_THE_ISA_HH__''')
6535517Snate@binkert.org
6545517Snate@binkert.org    code.write(str(target[0]))
6557673Snate@binkert.org
6568596Ssteve.reinhardt@amd.comenv.Command('config/the_isa.hh', map(Value, all_isa_list),
6577673Snate@binkert.org            MakeAction(makeTheISA, Transform("CFG ISA", 0)))
6585517Snate@binkert.org
65910458Sandreas.hansson@arm.comdef makeTheGPUISA(source, target, env):
66010458Sandreas.hansson@arm.com    isas = [ src.get_contents() for src in source ]
66110458Sandreas.hansson@arm.com    target_gpu_isa = env['TARGET_GPU_ISA']
66210458Sandreas.hansson@arm.com    def define(isa):
66310458Sandreas.hansson@arm.com        return isa.upper() + '_ISA'
66410458Sandreas.hansson@arm.com
66510458Sandreas.hansson@arm.com    def namespace(isa):
66610458Sandreas.hansson@arm.com        return isa[0].upper() + isa[1:].lower() + 'ISA'
66710458Sandreas.hansson@arm.com
66810458Sandreas.hansson@arm.com
66910458Sandreas.hansson@arm.com    code = code_formatter()
67010458Sandreas.hansson@arm.com    code('''\
6718596Ssteve.reinhardt@amd.com#ifndef __CONFIG_THE_GPU_ISA_HH__
6725517Snate@binkert.org#define __CONFIG_THE_GPU_ISA_HH__
6735517Snate@binkert.org
6745517Snate@binkert.org''')
6758596Ssteve.reinhardt@amd.com
6765517Snate@binkert.org    # create defines for the preprocessing and compile-time determination
6777673Snate@binkert.org    for i,isa in enumerate(isas):
6787673Snate@binkert.org        code('#define $0 $1', define(isa), i + 1)
6797673Snate@binkert.org    code()
6805517Snate@binkert.org
6815517Snate@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):
6865517Snate@binkert.org            code('  $0 = $1', namespace(isa), define(isa))
6877673Snate@binkert.org        else:
6887673Snate@binkert.org            code('  $0 = $1,', namespace(isa), define(isa))
6897673Snate@binkert.org    code('};')
6905517Snate@binkert.org
6918596Ssteve.reinhardt@amd.com    code('''
6925517Snate@binkert.org
6935517Snate@binkert.org#define THE_GPU_ISA ${{define(target_gpu_isa)}}
6945517Snate@binkert.org#define TheGpuISA ${{namespace(target_gpu_isa)}}
6955517Snate@binkert.org#define THE_GPU_ISA_STR "${{target_gpu_isa}}"
6965517Snate@binkert.org
6977673Snate@binkert.org#endif // __CONFIG_THE_GPU_ISA_HH__''')
6987673Snate@binkert.org
6997673Snate@binkert.org    code.write(str(target[0]))
7005517Snate@binkert.org
7018596Ssteve.reinhardt@amd.comenv.Command('config/the_gpu_isa.hh', map(Value, all_gpu_isa_list),
7027675Snate@binkert.org            MakeAction(makeTheGPUISA, Transform("CFG ISA", 0)))
7037675Snate@binkert.org
7047675Snate@binkert.org########################################################################
7057675Snate@binkert.org#
7067675Snate@binkert.org# Prevent any SimObjects from being added after this point, they
7077675Snate@binkert.org# should all have been added in the SConscripts above
7088596Ssteve.reinhardt@amd.com#
7097675Snate@binkert.orgSimObject.fixed = True
7107675Snate@binkert.org
7118596Ssteve.reinhardt@amd.comclass DictImporter(object):
7128596Ssteve.reinhardt@amd.com    '''This importer takes a dictionary of arbitrary module names that
7138596Ssteve.reinhardt@amd.com    map to arbitrary filenames.'''
7148596Ssteve.reinhardt@amd.com    def __init__(self, modules):
7158596Ssteve.reinhardt@amd.com        self.modules = modules
7168596Ssteve.reinhardt@amd.com        self.installed = set()
7178596Ssteve.reinhardt@amd.com
7188596Ssteve.reinhardt@amd.com    def __del__(self):
71910454SCurtis.Dunham@arm.com        self.unload()
72010454SCurtis.Dunham@arm.com
72110454SCurtis.Dunham@arm.com    def unload(self):
72210454SCurtis.Dunham@arm.com        import sys
7238596Ssteve.reinhardt@amd.com        for module in self.installed:
7244762Snate@binkert.org            del sys.modules[module]
7256143Snate@binkert.org        self.installed = set()
7266143Snate@binkert.org
7276143Snate@binkert.org    def find_module(self, fullname, path):
7284762Snate@binkert.org        if fullname == 'm5.defines':
7294762Snate@binkert.org            return self
7304762Snate@binkert.org
7317756SAli.Saidi@ARM.com        if fullname == 'm5.objects':
7328596Ssteve.reinhardt@amd.com            return self
7334762Snate@binkert.org
73410454SCurtis.Dunham@arm.com        if fullname.startswith('_m5'):
7354762Snate@binkert.org            return None
73610458Sandreas.hansson@arm.com
73710458Sandreas.hansson@arm.com        source = self.modules.get(fullname, None)
73810458Sandreas.hansson@arm.com        if source is not None and fullname.startswith('m5.objects'):
73910458Sandreas.hansson@arm.com            return self
74010458Sandreas.hansson@arm.com
74110458Sandreas.hansson@arm.com        return None
74210458Sandreas.hansson@arm.com
74310458Sandreas.hansson@arm.com    def load_module(self, fullname):
74410458Sandreas.hansson@arm.com        mod = imp.new_module(fullname)
74510458Sandreas.hansson@arm.com        sys.modules[fullname] = mod
74610458Sandreas.hansson@arm.com        self.installed.add(fullname)
74710458Sandreas.hansson@arm.com
74810458Sandreas.hansson@arm.com        mod.__loader__ = self
74910458Sandreas.hansson@arm.com        if fullname == 'm5.objects':
75010458Sandreas.hansson@arm.com            mod.__path__ = fullname.split('.')
75110458Sandreas.hansson@arm.com            return mod
75210458Sandreas.hansson@arm.com
75310458Sandreas.hansson@arm.com        if fullname == 'm5.defines':
75410458Sandreas.hansson@arm.com            mod.__dict__['buildEnv'] = m5.util.SmartDict(build_env)
75510458Sandreas.hansson@arm.com            return mod
75610458Sandreas.hansson@arm.com
75710458Sandreas.hansson@arm.com        source = self.modules[fullname]
75810458Sandreas.hansson@arm.com        if source.modname == '__init__':
75910458Sandreas.hansson@arm.com            mod.__path__ = source.modpath
76010458Sandreas.hansson@arm.com        mod.__file__ = source.abspath
76110458Sandreas.hansson@arm.com
76210458Sandreas.hansson@arm.com        exec file(source.abspath, 'r') in mod.__dict__
76310458Sandreas.hansson@arm.com
76410458Sandreas.hansson@arm.com        return mod
76510458Sandreas.hansson@arm.com
76610458Sandreas.hansson@arm.comimport m5.SimObject
76710458Sandreas.hansson@arm.comimport m5.params
76810458Sandreas.hansson@arm.comfrom m5.util import code_formatter
76910458Sandreas.hansson@arm.com
77010458Sandreas.hansson@arm.comm5.SimObject.clear()
77110458Sandreas.hansson@arm.comm5.params.clear()
77210458Sandreas.hansson@arm.com
77310458Sandreas.hansson@arm.com# install the python importer so we can grab stuff from the source
77410458Sandreas.hansson@arm.com# tree itself.  We can't have SimObjects added after this point or
77510458Sandreas.hansson@arm.com# else we won't know about them for the rest of the stuff.
77610458Sandreas.hansson@arm.comimporter = DictImporter(PySource.modules)
77710458Sandreas.hansson@arm.comsys.meta_path[0:0] = [ importer ]
77810458Sandreas.hansson@arm.com
77910458Sandreas.hansson@arm.com# import all sim objects so we can populate the all_objects list
78010458Sandreas.hansson@arm.com# make sure that we're working with a list, then let's sort it
78110458Sandreas.hansson@arm.comfor modname in SimObject.modnames:
78210458Sandreas.hansson@arm.com    exec('from m5.objects import %s' % modname)
78310458Sandreas.hansson@arm.com
78410458Sandreas.hansson@arm.com# we need to unload all of the currently imported modules so that they
78510584Sandreas.hansson@arm.com# will be re-imported the next time the sconscript is run
78610458Sandreas.hansson@arm.comimporter.unload()
78710458Sandreas.hansson@arm.comsys.meta_path.remove(importer)
78810458Sandreas.hansson@arm.com
78910458Sandreas.hansson@arm.comsim_objects = m5.SimObject.allClasses
79010458Sandreas.hansson@arm.comall_enums = m5.params.allEnums
7918596Ssteve.reinhardt@amd.com
7925463Snate@binkert.orgfor name,obj in sorted(sim_objects.iteritems()):
79310584Sandreas.hansson@arm.com    for param in obj._params.local.values():
79411802Sandreas.sandberg@arm.com        # load the ptype attribute now because it depends on the
7955463Snate@binkert.org        # current version of SimObject.allClasses, but when scons
7967756SAli.Saidi@ARM.com        # actually uses the value, all versions of
7978596Ssteve.reinhardt@amd.com        # SimObject.allClasses will have been loaded
7984762Snate@binkert.org        param.ptype
79910454SCurtis.Dunham@arm.com
80011802Sandreas.sandberg@arm.com########################################################################
8014762Snate@binkert.org#
8024762Snate@binkert.org# calculate extra dependencies
8036143Snate@binkert.org#
8046143Snate@binkert.orgmodule_depends = ["m5", "m5.SimObject", "m5.params"]
8056143Snate@binkert.orgdepends = [ PySource.modules[dep].snode for dep in module_depends ]
8064762Snate@binkert.orgdepends.sort(key = lambda x: x.name)
8074762Snate@binkert.org
8087756SAli.Saidi@ARM.com########################################################################
8097816Ssteve.reinhardt@amd.com#
8104762Snate@binkert.org# Commands for the basic automatically generated python files
81110454SCurtis.Dunham@arm.com#
8124762Snate@binkert.org
8134762Snate@binkert.org# Generate Python file containing a dict specifying the current
8144762Snate@binkert.org# buildEnv flags.
8157756SAli.Saidi@ARM.comdef makeDefinesPyFile(target, source, env):
8168596Ssteve.reinhardt@amd.com    build_env = source[0].get_contents()
8174762Snate@binkert.org
81810454SCurtis.Dunham@arm.com    code = code_formatter()
8194762Snate@binkert.org    code("""
82011802Sandreas.sandberg@arm.comimport _m5.core
8217756SAli.Saidi@ARM.comimport m5.util
8228596Ssteve.reinhardt@amd.com
8237675Snate@binkert.orgbuildEnv = m5.util.SmartDict($build_env)
82410454SCurtis.Dunham@arm.com
82511802Sandreas.sandberg@arm.comcompileDate = _m5.core.compileDate
8265517Snate@binkert.org_globals = globals()
8278596Ssteve.reinhardt@amd.comfor key,val in _m5.core.__dict__.items():
82810584Sandreas.hansson@arm.com    if key.startswith('flag_'):
8299248SAndreas.Sandberg@arm.com        flag = key[5:]
8309248SAndreas.Sandberg@arm.com        _globals[flag] = val
83111802Sandreas.sandberg@arm.comdel _globals
8328596Ssteve.reinhardt@amd.com""")
8338596Ssteve.reinhardt@amd.com    code.write(target[0].abspath)
8349248SAndreas.Sandberg@arm.com
83511802Sandreas.sandberg@arm.comdefines_info = Value(build_env)
8364762Snate@binkert.org# Generate a file with all of the compile options in it
8377674Snate@binkert.orgenv.Command('python/m5/defines.py', defines_info,
83811548Sandreas.hansson@arm.com            MakeAction(makeDefinesPyFile, Transform("DEFINES", 0)))
83911548Sandreas.hansson@arm.comPySource('m5', 'python/m5/defines.py')
84011548Sandreas.hansson@arm.com
8417674Snate@binkert.org# Generate python file containing info about the M5 source code
84211548Sandreas.hansson@arm.comdef makeInfoPyFile(target, source, env):
84311548Sandreas.hansson@arm.com    code = code_formatter()
84411548Sandreas.hansson@arm.com    for src in source:
84511548Sandreas.hansson@arm.com        data = ''.join(file(src.srcnode().abspath, 'r').xreadlines())
84611548Sandreas.hansson@arm.com        code('$src = ${{repr(data)}}')
84711548Sandreas.hansson@arm.com    code.write(str(target[0]))
84811548Sandreas.hansson@arm.com
84911548Sandreas.hansson@arm.com# Generate a file that wraps the basic top level files
8507674Snate@binkert.orgenv.Command('python/m5/info.py',
85111548Sandreas.hansson@arm.com            [ '#/COPYING', '#/LICENSE', '#/README', ],
85211548Sandreas.hansson@arm.com            MakeAction(makeInfoPyFile, Transform("INFO")))
85311548Sandreas.hansson@arm.comPySource('m5', 'python/m5/info.py')
85411548Sandreas.hansson@arm.com
85511548Sandreas.hansson@arm.com########################################################################
85611548Sandreas.hansson@arm.com#
85711548Sandreas.hansson@arm.com# Create all of the SimObject param headers and enum headers
85811548Sandreas.hansson@arm.com#
85911308Santhony.gutierrez@amd.com
8604762Snate@binkert.orgdef createSimObjectParamStruct(target, source, env):
8616143Snate@binkert.org    assert len(target) == 1 and len(source) == 1
8626143Snate@binkert.org
8637756SAli.Saidi@ARM.com    name = source[0].get_text_contents()
8647816Ssteve.reinhardt@amd.com    obj = sim_objects[name]
8658235Snate@binkert.org
8668596Ssteve.reinhardt@amd.com    code = code_formatter()
8677756SAli.Saidi@ARM.com    obj.cxx_param_decl(code)
86811548Sandreas.hansson@arm.com    code.write(target[0].abspath)
86911548Sandreas.hansson@arm.com
87010454SCurtis.Dunham@arm.comdef createSimObjectCxxConfig(is_header):
8718235Snate@binkert.org    def body(target, source, env):
8724382Sbinkertn@umich.edu        assert len(target) == 1 and len(source) == 1
8739396Sandreas.hansson@arm.com
8749396Sandreas.hansson@arm.com        name = str(source[0].get_contents())
8759396Sandreas.hansson@arm.com        obj = sim_objects[name]
8769396Sandreas.hansson@arm.com
8779396Sandreas.hansson@arm.com        code = code_formatter()
8789396Sandreas.hansson@arm.com        obj.cxx_config_param_file(code, is_header)
8799396Sandreas.hansson@arm.com        code.write(target[0].abspath)
8809396Sandreas.hansson@arm.com    return body
8819396Sandreas.hansson@arm.com
8829396Sandreas.hansson@arm.comdef createEnumStrings(target, source, env):
8839396Sandreas.hansson@arm.com    assert len(target) == 1 and len(source) == 2
8849396Sandreas.hansson@arm.com
88510454SCurtis.Dunham@arm.com    name = source[0].get_text_contents()
8869396Sandreas.hansson@arm.com    use_python = source[1].read()
8879396Sandreas.hansson@arm.com    obj = all_enums[name]
8889396Sandreas.hansson@arm.com
8899396Sandreas.hansson@arm.com    code = code_formatter()
8909396Sandreas.hansson@arm.com    obj.cxx_def(code)
8919396Sandreas.hansson@arm.com    if use_python:
8928232Snate@binkert.org        obj.pybind_def(code)
8938232Snate@binkert.org    code.write(target[0].abspath)
8948232Snate@binkert.org
8958232Snate@binkert.orgdef createEnumDecls(target, source, env):
8968232Snate@binkert.org    assert len(target) == 1 and len(source) == 1
8976229Snate@binkert.org
89810455SCurtis.Dunham@arm.com    name = source[0].get_text_contents()
8996229Snate@binkert.org    obj = all_enums[name]
90010455SCurtis.Dunham@arm.com
90110455SCurtis.Dunham@arm.com    code = code_formatter()
90210455SCurtis.Dunham@arm.com    obj.cxx_decl(code)
9035517Snate@binkert.org    code.write(target[0].abspath)
9045517Snate@binkert.org
9057673Snate@binkert.orgdef createSimObjectPyBindWrapper(target, source, env):
9065517Snate@binkert.org    name = source[0].get_text_contents()
90710455SCurtis.Dunham@arm.com    obj = sim_objects[name]
9085517Snate@binkert.org
9095517Snate@binkert.org    code = code_formatter()
9108232Snate@binkert.org    obj.pybind_decl(code)
91110455SCurtis.Dunham@arm.com    code.write(target[0].abspath)
91210455SCurtis.Dunham@arm.com
91310455SCurtis.Dunham@arm.com# Generate all of the SimObject param C++ struct header files
9147673Snate@binkert.orgparams_hh_files = []
9157673Snate@binkert.orgfor name,simobj in sorted(sim_objects.iteritems()):
91610455SCurtis.Dunham@arm.com    py_source = PySource.modules[simobj.__module__]
91710455SCurtis.Dunham@arm.com    extra_deps = [ py_source.tnode ]
91810455SCurtis.Dunham@arm.com
9195517Snate@binkert.org    hh_file = File('params/%s.hh' % name)
92010455SCurtis.Dunham@arm.com    params_hh_files.append(hh_file)
92110455SCurtis.Dunham@arm.com    env.Command(hh_file, Value(name),
92210455SCurtis.Dunham@arm.com                MakeAction(createSimObjectParamStruct, Transform("SO PARAM")))
92310455SCurtis.Dunham@arm.com    env.Depends(hh_file, depends + extra_deps)
92410455SCurtis.Dunham@arm.com
92510455SCurtis.Dunham@arm.com# C++ parameter description files
92610455SCurtis.Dunham@arm.comif GetOption('with_cxx_config'):
92710455SCurtis.Dunham@arm.com    for name,simobj in sorted(sim_objects.iteritems()):
92810685Sandreas.hansson@arm.com        py_source = PySource.modules[simobj.__module__]
92910455SCurtis.Dunham@arm.com        extra_deps = [ py_source.tnode ]
93010685Sandreas.hansson@arm.com
93110455SCurtis.Dunham@arm.com        cxx_config_hh_file = File('cxx_config/%s.hh' % name)
9325517Snate@binkert.org        cxx_config_cc_file = File('cxx_config/%s.cc' % name)
93310455SCurtis.Dunham@arm.com        env.Command(cxx_config_hh_file, Value(name),
9348232Snate@binkert.org                    MakeAction(createSimObjectCxxConfig(True),
9358232Snate@binkert.org                    Transform("CXXCPRHH")))
9365517Snate@binkert.org        env.Command(cxx_config_cc_file, Value(name),
9377673Snate@binkert.org                    MakeAction(createSimObjectCxxConfig(False),
9385517Snate@binkert.org                    Transform("CXXCPRCC")))
9398232Snate@binkert.org        env.Depends(cxx_config_hh_file, depends + extra_deps +
9408232Snate@binkert.org                    [File('params/%s.hh' % name), File('sim/cxx_config.hh')])
9415517Snate@binkert.org        env.Depends(cxx_config_cc_file, depends + extra_deps +
9428232Snate@binkert.org                    [cxx_config_hh_file])
9438232Snate@binkert.org        Source(cxx_config_cc_file)
9448232Snate@binkert.org
9457673Snate@binkert.org    cxx_config_init_cc_file = File('cxx_config/init.cc')
9465517Snate@binkert.org
9475517Snate@binkert.org    def createCxxConfigInitCC(target, source, env):
9487673Snate@binkert.org        assert len(target) == 1 and len(source) == 1
9495517Snate@binkert.org
95010455SCurtis.Dunham@arm.com        code = code_formatter()
9515517Snate@binkert.org
9525517Snate@binkert.org        for name,simobj in sorted(sim_objects.iteritems()):
9538232Snate@binkert.org            if not hasattr(simobj, 'abstract') or not simobj.abstract:
9548232Snate@binkert.org                code('#include "cxx_config/${name}.hh"')
9555517Snate@binkert.org        code()
9568232Snate@binkert.org        code('void cxxConfigInit()')
9578232Snate@binkert.org        code('{')
9585517Snate@binkert.org        code.indent()
9598232Snate@binkert.org        for name,simobj in sorted(sim_objects.iteritems()):
9608232Snate@binkert.org            not_abstract = not hasattr(simobj, 'abstract') or \
9618232Snate@binkert.org                not simobj.abstract
9625517Snate@binkert.org            if not_abstract and 'type' in simobj.__dict__:
9638232Snate@binkert.org                code('cxx_config_directory["${name}"] = '
9648232Snate@binkert.org                     '${name}CxxConfigParams::makeDirectoryEntry();')
9658232Snate@binkert.org        code.dedent()
9668232Snate@binkert.org        code('}')
9678232Snate@binkert.org        code.write(target[0].abspath)
9688232Snate@binkert.org
9695517Snate@binkert.org    py_source = PySource.modules[simobj.__module__]
9708232Snate@binkert.org    extra_deps = [ py_source.tnode ]
9718232Snate@binkert.org    env.Command(cxx_config_init_cc_file, Value(name),
9725517Snate@binkert.org        MakeAction(createCxxConfigInitCC, Transform("CXXCINIT")))
9738232Snate@binkert.org    cxx_param_hh_files = ["cxx_config/%s.hh" % simobj
9747673Snate@binkert.org        for name,simobj in sorted(sim_objects.iteritems())
9755517Snate@binkert.org        if not hasattr(simobj, 'abstract') or not simobj.abstract]
9767673Snate@binkert.org    Depends(cxx_config_init_cc_file, cxx_param_hh_files +
9775517Snate@binkert.org            [File('sim/cxx_config.hh')])
9788232Snate@binkert.org    Source(cxx_config_init_cc_file)
9798232Snate@binkert.org
9808232Snate@binkert.org# Generate all enum header files
9815192Ssaidi@eecs.umich.edufor name,enum in sorted(all_enums.iteritems()):
98210454SCurtis.Dunham@arm.com    py_source = PySource.modules[enum.__module__]
98310454SCurtis.Dunham@arm.com    extra_deps = [ py_source.tnode ]
9848232Snate@binkert.org
98510455SCurtis.Dunham@arm.com    cc_file = File('enums/%s.cc' % name)
98610455SCurtis.Dunham@arm.com    env.Command(cc_file, [Value(name), Value(env['USE_PYTHON'])],
98710455SCurtis.Dunham@arm.com                MakeAction(createEnumStrings, Transform("ENUM STR")))
98810455SCurtis.Dunham@arm.com    env.Depends(cc_file, depends + extra_deps)
98910455SCurtis.Dunham@arm.com    Source(cc_file)
99010455SCurtis.Dunham@arm.com
9915192Ssaidi@eecs.umich.edu    hh_file = File('enums/%s.hh' % name)
99211077SCurtis.Dunham@arm.com    env.Command(hh_file, Value(name),
99311330SCurtis.Dunham@arm.com                MakeAction(createEnumDecls, Transform("ENUMDECL")))
99411077SCurtis.Dunham@arm.com    env.Depends(hh_file, depends + extra_deps)
99511077SCurtis.Dunham@arm.com
99611077SCurtis.Dunham@arm.com# Generate SimObject Python bindings wrapper files
99711330SCurtis.Dunham@arm.comif env['USE_PYTHON']:
99811077SCurtis.Dunham@arm.com    for name,simobj in sorted(sim_objects.iteritems()):
9997674Snate@binkert.org        py_source = PySource.modules[simobj.__module__]
10005522Snate@binkert.org        extra_deps = [ py_source.tnode ]
10015522Snate@binkert.org        cc_file = File('python/_m5/param_%s.cc' % name)
10027674Snate@binkert.org        env.Command(cc_file, Value(name),
10037674Snate@binkert.org                    MakeAction(createSimObjectPyBindWrapper,
10047674Snate@binkert.org                               Transform("SO PyBind")))
10057674Snate@binkert.org        env.Depends(cc_file, depends + extra_deps)
10067674Snate@binkert.org        Source(cc_file)
10077674Snate@binkert.org
10087674Snate@binkert.org# Build all protocol buffers if we have got protoc and protobuf available
10097674Snate@binkert.orgif env['HAVE_PROTOBUF']:
10105522Snate@binkert.org    for proto in ProtoBuf.all:
10115522Snate@binkert.org        # Use both the source and header as the target, and the .proto
10125522Snate@binkert.org        # file as the source. When executing the protoc compiler, also
10135517Snate@binkert.org        # specify the proto_path to avoid having the generated files
10145522Snate@binkert.org        # include the path.
10155517Snate@binkert.org        env.Command([proto.cc_file, proto.hh_file], proto.tnode,
10166143Snate@binkert.org                    MakeAction('$PROTOC --cpp_out ${TARGET.dir} '
10176727Ssteve.reinhardt@amd.com                               '--proto_path ${SOURCE.dir} $SOURCE',
10185522Snate@binkert.org                               Transform("PROTOC")))
10195522Snate@binkert.org
10205522Snate@binkert.org        # Add the C++ source file
10217674Snate@binkert.org        Source(proto.cc_file, tags=proto.tags)
10225517Snate@binkert.orgelif ProtoBuf.all:
10237673Snate@binkert.org    print('Got protobuf to build, but lacks support!')
10247673Snate@binkert.org    Exit(1)
10257674Snate@binkert.org
10267673Snate@binkert.org#
10277674Snate@binkert.org# Handle debug flags
10287674Snate@binkert.org#
10298946Sandreas.hansson@arm.comdef makeDebugFlagCC(target, source, env):
10307674Snate@binkert.org    assert(len(target) == 1 and len(source) == 1)
10317674Snate@binkert.org
10327674Snate@binkert.org    code = code_formatter()
10335522Snate@binkert.org
10345522Snate@binkert.org    # delay definition of CompoundFlags until after all the definition
10357674Snate@binkert.org    # of all constituent SimpleFlags
10367674Snate@binkert.org    comp_code = code_formatter()
103711308Santhony.gutierrez@amd.com
10387674Snate@binkert.org    # file header
10397673Snate@binkert.org    code('''
10407674Snate@binkert.org/*
10417674Snate@binkert.org * DO NOT EDIT THIS FILE! Automatically generated by SCons.
10427674Snate@binkert.org */
10437674Snate@binkert.org
10447674Snate@binkert.org#include "base/debug.hh"
10457674Snate@binkert.org
10467674Snate@binkert.orgnamespace Debug {
10477674Snate@binkert.org
10487811Ssteve.reinhardt@amd.com''')
10497674Snate@binkert.org
10507673Snate@binkert.org    for name, flag in sorted(source[0].read().iteritems()):
10515522Snate@binkert.org        n, compound, desc = flag
10526143Snate@binkert.org        assert n == name
105310453SAndrew.Bardsley@arm.com
10547816Ssteve.reinhardt@amd.com        if not compound:
105510454SCurtis.Dunham@arm.com            code('SimpleFlag $name("$name", "$desc");')
105610453SAndrew.Bardsley@arm.com        else:
10574382Sbinkertn@umich.edu            comp_code('CompoundFlag $name("$name", "$desc",')
10584382Sbinkertn@umich.edu            comp_code.indent()
10594382Sbinkertn@umich.edu            last = len(compound) - 1
10604382Sbinkertn@umich.edu            for i,flag in enumerate(compound):
10614382Sbinkertn@umich.edu                if i != last:
10624382Sbinkertn@umich.edu                    comp_code('&$flag,')
10634382Sbinkertn@umich.edu                else:
10644382Sbinkertn@umich.edu                    comp_code('&$flag);')
106510196SCurtis.Dunham@arm.com            comp_code.dedent()
10664382Sbinkertn@umich.edu
106710196SCurtis.Dunham@arm.com    code.append(comp_code)
106810196SCurtis.Dunham@arm.com    code()
106910196SCurtis.Dunham@arm.com    code('} // namespace Debug')
107010196SCurtis.Dunham@arm.com
107110196SCurtis.Dunham@arm.com    code.write(str(target[0]))
107210196SCurtis.Dunham@arm.com
107310196SCurtis.Dunham@arm.comdef makeDebugFlagHH(target, source, env):
1074955SN/A    assert(len(target) == 1 and len(source) == 1)
10752655Sstever@eecs.umich.edu
10762655Sstever@eecs.umich.edu    val = eval(source[0].get_contents())
10772655Sstever@eecs.umich.edu    name, compound, desc = val
10782655Sstever@eecs.umich.edu
107910196SCurtis.Dunham@arm.com    code = code_formatter()
10805601Snate@binkert.org
10815601Snate@binkert.org    # file header boilerplate
108210196SCurtis.Dunham@arm.com    code('''\
108310196SCurtis.Dunham@arm.com/*
108410196SCurtis.Dunham@arm.com * DO NOT EDIT THIS FILE! Automatically generated by SCons.
10855522Snate@binkert.org */
10865863Snate@binkert.org
10875601Snate@binkert.org#ifndef __DEBUG_${name}_HH__
10885601Snate@binkert.org#define __DEBUG_${name}_HH__
10895601Snate@binkert.org
10905863Snate@binkert.orgnamespace Debug {
10919556Sandreas.hansson@arm.com''')
10929556Sandreas.hansson@arm.com
10939556Sandreas.hansson@arm.com    if compound:
10949556Sandreas.hansson@arm.com        code('class CompoundFlag;')
10959556Sandreas.hansson@arm.com    code('class SimpleFlag;')
10965559Snate@binkert.org
10979556Sandreas.hansson@arm.com    if compound:
10989618Ssteve.reinhardt@amd.com        code('extern CompoundFlag $name;')
10999618Ssteve.reinhardt@amd.com        for flag in compound:
11009618Ssteve.reinhardt@amd.com            code('extern SimpleFlag $flag;')
110110238Sandreas.hansson@arm.com    else:
110210878Sandreas.hansson@arm.com        code('extern SimpleFlag $name;')
110311294Sandreas.hansson@arm.com
110411294Sandreas.hansson@arm.com    code('''
110510457Sandreas.hansson@arm.com}
110611718Sjoseph.gross@amd.com
110711718Sjoseph.gross@amd.com#endif // __DEBUG_${name}_HH__
110811718Sjoseph.gross@amd.com''')
110911718Sjoseph.gross@amd.com
111011718Sjoseph.gross@amd.com    code.write(str(target[0]))
111111718Sjoseph.gross@amd.com
111211718Sjoseph.gross@amd.comfor name,flag in sorted(debug_flags.iteritems()):
111311718Sjoseph.gross@amd.com    n, compound, desc = flag
111411718Sjoseph.gross@amd.com    assert n == name
111511718Sjoseph.gross@amd.com
111611718Sjoseph.gross@amd.com    hh_file = 'debug/%s.hh' % name
111711718Sjoseph.gross@amd.com    env.Command(hh_file, Value(flag),
111810457Sandreas.hansson@arm.com                MakeAction(makeDebugFlagHH, Transform("TRACING", 0)))
111910457Sandreas.hansson@arm.com
112010457Sandreas.hansson@arm.comenv.Command('debug/flags.cc', Value(debug_flags),
112111718Sjoseph.gross@amd.com            MakeAction(makeDebugFlagCC, Transform("TRACING", 0)))
112210457Sandreas.hansson@arm.comSource('debug/flags.cc')
112310457Sandreas.hansson@arm.com
112410457Sandreas.hansson@arm.com# version tags
112510457Sandreas.hansson@arm.comtags = \
112611342Sandreas.hansson@arm.comenv.Command('sim/tags.cc', None,
11278737Skoansin.tan@gmail.com            MakeAction('util/cpt_upgrader.py --get-cc-file > $TARGET',
112811294Sandreas.hansson@arm.com                       Transform("VER TAGS")))
112911294Sandreas.hansson@arm.comenv.AlwaysBuild(tags)
113011294Sandreas.hansson@arm.com
113110278SAndreas.Sandberg@ARM.com# Build a small helper that marshals the Python code using the same
113211342Sandreas.hansson@arm.com# version of Python as gem5. This is in an unorthodox location to
113311342Sandreas.hansson@arm.com# avoid building it for every variant.
113410457Sandreas.hansson@arm.compy_marshal = env.Program('marshal', 'python/marshal.cc')[0]
113511718Sjoseph.gross@amd.com
113611718Sjoseph.gross@amd.com# Embed python files.  All .py files that have been indicated by a
113711718Sjoseph.gross@amd.com# PySource() call in a SConscript need to be embedded into the M5
113811718Sjoseph.gross@amd.com# library.  To do that, we compile the file to byte code, marshal the
113911718Sjoseph.gross@amd.com# byte code, compress it, and then generate a c++ file that
114011718Sjoseph.gross@amd.com# inserts the result into an array.
114111718Sjoseph.gross@amd.comdef embedPyFile(target, source, env):
114210457Sandreas.hansson@arm.com    def c_str(string):
114311718Sjoseph.gross@amd.com        if string is None:
114411500Sandreas.hansson@arm.com            return "0"
114511500Sandreas.hansson@arm.com        return '"%s"' % string
114611342Sandreas.hansson@arm.com
114711342Sandreas.hansson@arm.com    '''Action function to compile a .py into a code object, marshal it,
11488945Ssteve.reinhardt@amd.com    compress it, and stick it into an asm file so the code appears as
114910686SAndreas.Sandberg@ARM.com    just bytes with a label in the data section. The action takes two
115010686SAndreas.Sandberg@ARM.com    sources:
115110686SAndreas.Sandberg@ARM.com
115210686SAndreas.Sandberg@ARM.com    source[0]: Binary used to marshal Python sources
115310686SAndreas.Sandberg@ARM.com    source[1]: Python script to marshal
115410686SAndreas.Sandberg@ARM.com    '''
11558945Ssteve.reinhardt@amd.com
11566143Snate@binkert.org    import subprocess
11576143Snate@binkert.org
11586143Snate@binkert.org    marshalled = subprocess.check_output([source[0].abspath, str(source[1])])
11596143Snate@binkert.org
11606143Snate@binkert.org    compressed = zlib.compress(marshalled)
11616143Snate@binkert.org    data = compressed
11626143Snate@binkert.org    pysource = PySource.tnodes[source[1]]
11638945Ssteve.reinhardt@amd.com    sym = pysource.symname
11648945Ssteve.reinhardt@amd.com
11656143Snate@binkert.org    code = code_formatter()
11666143Snate@binkert.org    code('''\
11676143Snate@binkert.org#include "sim/init.hh"
11686143Snate@binkert.org
11696143Snate@binkert.orgnamespace {
11706143Snate@binkert.org
11716143Snate@binkert.org''')
11726143Snate@binkert.org    blobToCpp(data, 'data_' + sym, code)
11736143Snate@binkert.org    code('''\
11746143Snate@binkert.org
11756143Snate@binkert.org
11766143Snate@binkert.orgEmbeddedPython embedded_${sym}(
11776143Snate@binkert.org    ${{c_str(pysource.arcname)}},
117810453SAndrew.Bardsley@arm.com    ${{c_str(pysource.abspath)}},
117910453SAndrew.Bardsley@arm.com    ${{c_str(pysource.modpath)}},
118010453SAndrew.Bardsley@arm.com    data_${sym},
118110453SAndrew.Bardsley@arm.com    ${{len(data)}},
118210453SAndrew.Bardsley@arm.com    ${{len(marshalled)}});
118310453SAndrew.Bardsley@arm.com
118410453SAndrew.Bardsley@arm.com} // anonymous namespace
118511983Sgabeblack@google.com''')
118611983Sgabeblack@google.com    code.write(str(target[0]))
118711983Sgabeblack@google.com
118811983Sgabeblack@google.comfor source in PySource.all:
118911983Sgabeblack@google.com    env.Command(source.cpp, [ py_marshal, source.tnode ],
119011983Sgabeblack@google.com                MakeAction(embedPyFile, Transform("EMBED PY")))
119111983Sgabeblack@google.com    Source(source.cpp, tags=source.tags, add_tags='python')
119211983Sgabeblack@google.com
119311983Sgabeblack@google.com########################################################################
119411983Sgabeblack@google.com#
119511983Sgabeblack@google.com# Define binaries.  Each different build type (debug, opt, etc.) gets
119611983Sgabeblack@google.com# a slightly different build environment.
119711983Sgabeblack@google.com#
119811983Sgabeblack@google.com
119911983Sgabeblack@google.com# List of constructed environments to pass back to SConstruct
120011983Sgabeblack@google.comdate_source = Source('base/date.cc', tags=[])
120111983Sgabeblack@google.com
120211983Sgabeblack@google.comgem5_binary = Gem5('gem5')
120311983Sgabeblack@google.com
120411983Sgabeblack@google.com# Function to create a new build environment as clone of current
120511983Sgabeblack@google.com# environment 'env' with modified object suffix and optional stripped
120611983Sgabeblack@google.com# binary.  Additional keyword arguments are appended to corresponding
120711983Sgabeblack@google.com# build environment vars.
120811983Sgabeblack@google.comdef makeEnv(env, label, objsfx, strip=False, disable_partial=False, **kwargs):
120911983Sgabeblack@google.com    # SCons doesn't know to append a library suffix when there is a '.' in the
121011983Sgabeblack@google.com    # name.  Use '_' instead.
121111983Sgabeblack@google.com    libname = 'gem5_' + label
121211983Sgabeblack@google.com    secondary_exename = 'm5.' + label
121311983Sgabeblack@google.com
121411983Sgabeblack@google.com    new_env = env.Clone(OBJSUFFIX=objsfx, SHOBJSUFFIX=objsfx + 's')
121511983Sgabeblack@google.com    new_env.Label = label
12166143Snate@binkert.org    new_env.Append(**kwargs)
12176143Snate@binkert.org
12186143Snate@binkert.org    lib_sources = Source.all.with_tag('gem5 lib')
121910453SAndrew.Bardsley@arm.com
12206143Snate@binkert.org    # Without Python, leave out all Python content from the library
12216240Snate@binkert.org    # builds.  The option doesn't affect gem5 built as a program
12225554Snate@binkert.org    if GetOption('without_python'):
12235522Snate@binkert.org        lib_sources = lib_sources.without_tag('python')
12245522Snate@binkert.org
12255797Snate@binkert.org    static_objs = []
12265797Snate@binkert.org    shared_objs = []
12275522Snate@binkert.org
12285601Snate@binkert.org    for s in lib_sources.with_tag(Source.ungrouped_tag):
12298233Snate@binkert.org        static_objs.append(s.static(new_env))
12308233Snate@binkert.org        shared_objs.append(s.shared(new_env))
12318235Snate@binkert.org
12328235Snate@binkert.org    for group in Source.source_groups:
12338235Snate@binkert.org        srcs = lib_sources.with_tag(Source.link_group_tag(group))
12348235Snate@binkert.org        if not srcs:
12359003SAli.Saidi@ARM.com            continue
12369003SAli.Saidi@ARM.com
123710196SCurtis.Dunham@arm.com        group_static = [ s.static(new_env) for s in srcs ]
123810196SCurtis.Dunham@arm.com        group_shared = [ s.shared(new_env) for s in srcs ]
12398235Snate@binkert.org
12406143Snate@binkert.org        # If partial linking is disabled, add these sources to the build
12412655Sstever@eecs.umich.edu        # directly, and short circuit this loop.
12426143Snate@binkert.org        if disable_partial:
12436143Snate@binkert.org            static_objs.extend(group_static)
124411974Sgabeblack@google.com            shared_objs.extend(group_shared)
124511974Sgabeblack@google.com            continue
124611974Sgabeblack@google.com
124711974Sgabeblack@google.com        # Set up the static partially linked objects.
124811974Sgabeblack@google.com        file_name = new_env.subst("${OBJPREFIX}lib${OBJSUFFIX}.partial")
124911974Sgabeblack@google.com        target = File(joinpath(group, file_name))
125011974Sgabeblack@google.com        partial = env.PartialStatic(target=target, source=group_static)
125111974Sgabeblack@google.com        static_objs.extend(partial)
125211974Sgabeblack@google.com
125311974Sgabeblack@google.com        # Set up the shared partially linked objects.
125411974Sgabeblack@google.com        file_name = new_env.subst("${SHOBJPREFIX}lib${SHOBJSUFFIX}.partial")
125511974Sgabeblack@google.com        target = File(joinpath(group, file_name))
12566143Snate@binkert.org        partial = env.PartialShared(target=target, source=group_shared)
12576143Snate@binkert.org        shared_objs.extend(partial)
12584007Ssaidi@eecs.umich.edu
12594596Sbinkertn@umich.edu    static_date = date_source.static(new_env)
12604007Ssaidi@eecs.umich.edu    new_env.Depends(static_date, static_objs)
12614596Sbinkertn@umich.edu    static_objs.extend(static_date)
12627756SAli.Saidi@ARM.com
12637816Ssteve.reinhardt@amd.com    shared_date = date_source.shared(new_env)
12648334Snate@binkert.org    new_env.Depends(shared_date, shared_objs)
12658334Snate@binkert.org    shared_objs.extend(shared_date)
12668334Snate@binkert.org
12678334Snate@binkert.org    main_objs = [ s.static(new_env) for s in Source.all.with_tag('main') ]
12685601Snate@binkert.org
126910196SCurtis.Dunham@arm.com    # First make a library of everything but main() so other programs can
12702655Sstever@eecs.umich.edu    # link against m5.
12719225Sandreas.hansson@arm.com    static_lib = new_env.StaticLibrary(libname, static_objs)
12729225Sandreas.hansson@arm.com    shared_lib = new_env.SharedLibrary(libname, shared_objs)
12739226Sandreas.hansson@arm.com
12749226Sandreas.hansson@arm.com    # Keep track of the object files generated so far so Executables can
12759225Sandreas.hansson@arm.com    # include them.
12769226Sandreas.hansson@arm.com    new_env['STATIC_OBJS'] = static_objs
12779226Sandreas.hansson@arm.com    new_env['SHARED_OBJS'] = shared_objs
12789226Sandreas.hansson@arm.com    new_env['MAIN_OBJS'] = main_objs
12799226Sandreas.hansson@arm.com
12809226Sandreas.hansson@arm.com    new_env['STATIC_LIB'] = static_lib
12819226Sandreas.hansson@arm.com    new_env['SHARED_LIB'] = shared_lib
12829225Sandreas.hansson@arm.com
12839227Sandreas.hansson@arm.com    # Record some settings for building Executables.
12849227Sandreas.hansson@arm.com    new_env['EXE_SUFFIX'] = label
12859227Sandreas.hansson@arm.com    new_env['STRIP_EXES'] = strip
12869227Sandreas.hansson@arm.com
12878946Sandreas.hansson@arm.com    for cls in ExecutableMeta.all:
12883918Ssaidi@eecs.umich.edu        cls.declare_all(new_env)
12899225Sandreas.hansson@arm.com
12903918Ssaidi@eecs.umich.edu    new_env.M5Binary = File(gem5_binary.path(new_env))
12919225Sandreas.hansson@arm.com
12929225Sandreas.hansson@arm.com    new_env.Command(secondary_exename, new_env.M5Binary,
12939227Sandreas.hansson@arm.com            MakeAction('ln $SOURCE $TARGET', Transform("HARDLINK")))
12949227Sandreas.hansson@arm.com
12959227Sandreas.hansson@arm.com    # Set up regression tests.
12969226Sandreas.hansson@arm.com    SConscript(os.path.join(env.root.abspath, 'tests', 'SConscript'),
12979225Sandreas.hansson@arm.com               variant_dir=Dir('tests').Dir(new_env.Label),
12989227Sandreas.hansson@arm.com               exports={ 'env' : new_env }, duplicate=False)
12999227Sandreas.hansson@arm.com
13009227Sandreas.hansson@arm.com# Start out with the compiler flags common to all compilers,
13019227Sandreas.hansson@arm.com# i.e. they all use -g for opt and -g -pg for prof
13028946Sandreas.hansson@arm.comccflags = {'debug' : [], 'opt' : ['-g'], 'fast' : [], 'prof' : ['-g', '-pg'],
13039225Sandreas.hansson@arm.com           'perf' : ['-g']}
13049226Sandreas.hansson@arm.com
13059226Sandreas.hansson@arm.com# Start out with the linker flags common to all linkers, i.e. -pg for
13069226Sandreas.hansson@arm.com# prof, and -lprofiler for perf. The -lprofile flag is surrounded by
13073515Ssaidi@eecs.umich.edu# no-as-needed and as-needed as the binutils linker is too clever and
13083918Ssaidi@eecs.umich.edu# simply doesn't link to the library otherwise.
13094762Snate@binkert.orgldflags = {'debug' : [], 'opt' : [], 'fast' : [], 'prof' : ['-pg'],
13103515Ssaidi@eecs.umich.edu           'perf' : ['-Wl,--no-as-needed', '-lprofiler', '-Wl,--as-needed']}
13118881Smarc.orr@gmail.com
13128881Smarc.orr@gmail.com# For Link Time Optimization, the optimisation flags used to compile
13138881Smarc.orr@gmail.com# individual files are decoupled from those used at link time
13148881Smarc.orr@gmail.com# (i.e. you can compile with -O3 and perform LTO with -O0), so we need
13158881Smarc.orr@gmail.com# to also update the linker flags based on the target.
13169226Sandreas.hansson@arm.comif env['GCC']:
13179226Sandreas.hansson@arm.com    if sys.platform == 'sunos5':
13189226Sandreas.hansson@arm.com        ccflags['debug'] += ['-gstabs+']
13198881Smarc.orr@gmail.com    else:
13208881Smarc.orr@gmail.com        ccflags['debug'] += ['-ggdb3']
13218881Smarc.orr@gmail.com    ldflags['debug'] += ['-O0']
13228881Smarc.orr@gmail.com    # opt, fast, prof and perf all share the same cc flags, also add
13238881Smarc.orr@gmail.com    # the optimization to the ldflags as LTO defers the optimization
13248881Smarc.orr@gmail.com    # to link time
13258881Smarc.orr@gmail.com    for target in ['opt', 'fast', 'prof', 'perf']:
13268881Smarc.orr@gmail.com        ccflags[target] += ['-O3']
13278881Smarc.orr@gmail.com        ldflags[target] += ['-O3']
13288881Smarc.orr@gmail.com
13298881Smarc.orr@gmail.com    ccflags['fast'] += env['LTO_CCFLAGS']
13308881Smarc.orr@gmail.com    ldflags['fast'] += env['LTO_LDFLAGS']
13318881Smarc.orr@gmail.comelif env['CLANG']:
13328881Smarc.orr@gmail.com    ccflags['debug'] += ['-g', '-O0']
13338881Smarc.orr@gmail.com    # opt, fast, prof and perf all share the same cc flags
13348881Smarc.orr@gmail.com    for target in ['opt', 'fast', 'prof', 'perf']:
133510196SCurtis.Dunham@arm.com        ccflags[target] += ['-O3']
133610196SCurtis.Dunham@arm.comelse:
133710196SCurtis.Dunham@arm.com    print('Unknown compiler, please fix compiler options')
1338955SN/A    Exit(1)
133910196SCurtis.Dunham@arm.com
1340955SN/A
134110196SCurtis.Dunham@arm.com# To speed things up, we only instantiate the build environments we
134210196SCurtis.Dunham@arm.com# need.  We try to identify the needed environment for each target; if
134310196SCurtis.Dunham@arm.com# we can't, we fall back on instantiating all the environments just to
134410196SCurtis.Dunham@arm.com# be safe.
134510196SCurtis.Dunham@arm.comtarget_types = ['debug', 'opt', 'fast', 'prof', 'perf']
134610196SCurtis.Dunham@arm.comobj2target = {'do': 'debug', 'o': 'opt', 'fo': 'fast', 'po': 'prof',
134710196SCurtis.Dunham@arm.com              'gpo' : 'perf'}
1348955SN/A
134910196SCurtis.Dunham@arm.comdef identifyTarget(t):
135010196SCurtis.Dunham@arm.com    ext = t.split('.')[-1]
135110196SCurtis.Dunham@arm.com    if ext in target_types:
135210196SCurtis.Dunham@arm.com        return ext
135310196SCurtis.Dunham@arm.com    if ext in obj2target:
135410196SCurtis.Dunham@arm.com        return obj2target[ext]
135510196SCurtis.Dunham@arm.com    match = re.search(r'/tests/([^/]+)/', t)
13561869SN/A    if match and match.group(1) in target_types:
135710196SCurtis.Dunham@arm.com        return match.group(1)
135810196SCurtis.Dunham@arm.com    return 'all'
135910196SCurtis.Dunham@arm.com
136010196SCurtis.Dunham@arm.comneeded_envs = [identifyTarget(target) for target in BUILD_TARGETS]
136110196SCurtis.Dunham@arm.comif 'all' in needed_envs:
136210196SCurtis.Dunham@arm.com    needed_envs += target_types
136310196SCurtis.Dunham@arm.com
13649226Sandreas.hansson@arm.comdisable_partial = False
136510196SCurtis.Dunham@arm.comif env['PLATFORM'] == 'darwin':
136610196SCurtis.Dunham@arm.com    # Up until Apple LLVM version 10.0.0 (clang-1000.11.45.5), partial
136710196SCurtis.Dunham@arm.com    # linked objects do not expose symbols that are marked with the
136810196SCurtis.Dunham@arm.com    # hidden visibility and consequently building gem5 on Mac OS
136910196SCurtis.Dunham@arm.com    # fails. As a workaround, we disable partial linking, however, we
137010196SCurtis.Dunham@arm.com    # may want to revisit in the future.
137110196SCurtis.Dunham@arm.com    disable_partial = True
137210196SCurtis.Dunham@arm.com
137310196SCurtis.Dunham@arm.com# Debug binary
137410196SCurtis.Dunham@arm.comif 'debug' in needed_envs:
137510196SCurtis.Dunham@arm.com    makeEnv(env, 'debug', '.do',
137610196SCurtis.Dunham@arm.com            CCFLAGS = Split(ccflags['debug']),
137710196SCurtis.Dunham@arm.com            CPPDEFINES = ['DEBUG', 'TRACING_ON=1'],
137810196SCurtis.Dunham@arm.com            LINKFLAGS = Split(ldflags['debug']),
137910196SCurtis.Dunham@arm.com            disable_partial=disable_partial)
138010196SCurtis.Dunham@arm.com
138110196SCurtis.Dunham@arm.com# Optimized binary
138210196SCurtis.Dunham@arm.comif 'opt' in needed_envs:
138311370Ssteve.reinhardt@amd.com    makeEnv(env, 'opt', '.o',
138410196SCurtis.Dunham@arm.com            CCFLAGS = Split(ccflags['opt']),
138510196SCurtis.Dunham@arm.com            CPPDEFINES = ['TRACING_ON=1'],
138610196SCurtis.Dunham@arm.com            LINKFLAGS = Split(ldflags['opt']),
138710196SCurtis.Dunham@arm.com            disable_partial=disable_partial)
138810196SCurtis.Dunham@arm.com
138910196SCurtis.Dunham@arm.com# "Fast" binary
139010196SCurtis.Dunham@arm.comif 'fast' in needed_envs:
139110196SCurtis.Dunham@arm.com    disable_partial = disable_partial or \
139210196SCurtis.Dunham@arm.com            (env.get('BROKEN_INCREMENTAL_LTO', False) and \
139310196SCurtis.Dunham@arm.com            GetOption('force_lto'))
139410196SCurtis.Dunham@arm.com    makeEnv(env, 'fast', '.fo', strip = True,
139510196SCurtis.Dunham@arm.com            CCFLAGS = Split(ccflags['fast']),
139610196SCurtis.Dunham@arm.com            CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
139710196SCurtis.Dunham@arm.com            LINKFLAGS = Split(ldflags['fast']),
139810196SCurtis.Dunham@arm.com            disable_partial=disable_partial)
139910196SCurtis.Dunham@arm.com
140010196SCurtis.Dunham@arm.com# Profiled binary using gprof
140110196SCurtis.Dunham@arm.comif 'prof' in needed_envs:
140210196SCurtis.Dunham@arm.com    makeEnv(env, 'prof', '.po',
140310196SCurtis.Dunham@arm.com            CCFLAGS = Split(ccflags['prof']),
140410196SCurtis.Dunham@arm.com            CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
140510196SCurtis.Dunham@arm.com            LINKFLAGS = Split(ldflags['prof']),
140610196SCurtis.Dunham@arm.com            disable_partial=disable_partial)
140710196SCurtis.Dunham@arm.com
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