SConscript revision 5344
1955SN/A# -*- mode:python -*-
2955SN/A
31762SN/A# Copyright (c) 2004-2005 The Regents of The University of Michigan
4955SN/A# All rights reserved.
5955SN/A#
6955SN/A# Redistribution and use in source and binary forms, with or without
7955SN/A# modification, are permitted provided that the following conditions are
8955SN/A# met: redistributions of source code must retain the above copyright
9955SN/A# notice, this list of conditions and the following disclaimer;
10955SN/A# redistributions in binary form must reproduce the above copyright
11955SN/A# notice, this list of conditions and the following disclaimer in the
12955SN/A# documentation and/or other materials provided with the distribution;
13955SN/A# neither the name of the copyright holders nor the names of its
14955SN/A# contributors may be used to endorse or promote products derived from
15955SN/A# this software without specific prior written permission.
16955SN/A#
17955SN/A# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
18955SN/A# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
19955SN/A# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
20955SN/A# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
21955SN/A# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
22955SN/A# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
23955SN/A# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
24955SN/A# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
25955SN/A# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
26955SN/A# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
27955SN/A# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
28955SN/A#
29955SN/A# Authors: Nathan Binkert
30955SN/A
311608SN/Aimport imp
32955SN/Aimport os
33955SN/Aimport sys
34955SN/A
35955SN/Afrom os.path import basename, exists, isdir, isfile, join as joinpath
36955SN/A
37955SN/Aimport SCons
38955SN/A
39955SN/A# This file defines how to build a particular configuration of M5
40955SN/A# based on variable settings in the 'env' build environment.
41955SN/A
42955SN/AImport('*')
43955SN/A
44955SN/A# Children need to see the environment
45955SN/AExport('env')
462023SN/A
47955SN/Adef sort_list(_list):
48955SN/A    """return a sorted copy of '_list'"""
49955SN/A    if isinstance(_list, list):
50955SN/A        _list = _list[:]
51955SN/A    else:
52955SN/A        _list = list(_list)
53955SN/A    _list.sort()
54955SN/A    return _list
55955SN/A
561031SN/Aclass PySourceFile(object):
57955SN/A    def __init__(self, package, source):
581388SN/A        filename = str(source)
59955SN/A        pyname = basename(filename)
60955SN/A        assert pyname.endswith('.py')
611296SN/A        name = pyname[:-3]
62955SN/A        path = package.split('.')
632609SN/A        modpath = path
64955SN/A        if name != '__init__':
65955SN/A            modpath += [name]
66955SN/A        modpath = '.'.join(modpath)
67955SN/A
68955SN/A        arcpath = package.split('.') + [ pyname + 'c' ]
69955SN/A        arcname = joinpath(*arcpath)
70955SN/A
71955SN/A        self.source = source
72955SN/A        self.pyname = pyname
73955SN/A        self.srcpath = source.srcnode().abspath
74955SN/A        self.package = package
75955SN/A        self.modpath = modpath
76955SN/A        self.arcname = arcname
77955SN/A        self.filename = filename
78955SN/A        self.compiled = File(filename + 'c')
79955SN/A
80955SN/A########################################################################
81955SN/A# Code for adding source files of various types
821717SN/A#
832190SN/Acc_sources = []
842652Ssaidi@eecs.umich.edudef Source(source):
85955SN/A    '''Add a C/C++ source file to the build'''
862410SN/A    if not isinstance(source, SCons.Node.FS.File):
87955SN/A        source = File(source)
88955SN/A
891717SN/A    cc_sources.append(source)
902568SN/A
912568SN/Apy_sources = []
922568SN/Adef PySource(package, source):
932499SN/A    '''Add a python source file to the named package'''
942462SN/A    if not isinstance(source, SCons.Node.FS.File):
952568SN/A        source = File(source)
962395SN/A
972405SN/A    source = PySourceFile(package, source)
982568SN/A    py_sources.append(source)
99955SN/A
100955SN/Asim_objects_fixed = False
101955SN/Asim_object_modfiles = set()
102955SN/Adef SimObject(source):
103955SN/A    '''Add a SimObject python file as a python source object and add
1042090SN/A    it to a list of sim object modules'''
105955SN/A
106955SN/A    if sim_objects_fixed:
107955SN/A        raise AttributeError, "Too late to call SimObject now."
1081696SN/A
109955SN/A    if not isinstance(source, SCons.Node.FS.File):
110955SN/A        source = File(source)
111955SN/A
112955SN/A    PySource('m5.objects', source)
1131127SN/A    modfile = basename(str(source))
114955SN/A    assert modfile.endswith('.py')
115955SN/A    modname = modfile[:-3]
1162379SN/A    sim_object_modfiles.add(modname)
117955SN/A
118955SN/Aswig_sources = []
119955SN/Adef SwigSource(package, source):
1202155SN/A    '''Add a swig file to build'''
1212155SN/A    if not isinstance(source, SCons.Node.FS.File):
1222155SN/A        source = File(source)
1232155SN/A    val = source,package
1242155SN/A    swig_sources.append(val)
1252155SN/A
1262155SN/A# Children should have access
1272155SN/AExport('Source')
1282155SN/AExport('PySource')
1292155SN/AExport('SimObject')
1302155SN/AExport('SwigSource')
1312155SN/A
1322155SN/A########################################################################
1332155SN/A#
1342155SN/A# Trace Flags
1352155SN/A#
1362155SN/Aall_flags = {}
1372155SN/Atrace_flags = []
1382155SN/Adef TraceFlag(name, desc=''):
1392155SN/A    if name in all_flags:
1402155SN/A        raise AttributeError, "Flag %s already specified" % name
1412155SN/A    flag = (name, (), desc)
1422155SN/A    trace_flags.append(flag)
1432155SN/A    all_flags[name] = ()
1442155SN/A
1452155SN/Adef CompoundFlag(name, flags, desc=''):
1462155SN/A    if name in all_flags:
1472155SN/A        raise AttributeError, "Flag %s already specified" % name
1482155SN/A
1492155SN/A    compound = tuple(flags)
1502155SN/A    for flag in compound:
1512155SN/A        if flag not in all_flags:
1522155SN/A            raise AttributeError, "Trace flag %s not found" % flag
1532155SN/A        if all_flags[flag]:
1542155SN/A            raise AttributeError, \
1552155SN/A                "Compound flag can't point to another compound flag"
1562155SN/A
1572155SN/A    flag = (name, compound, desc)
1582155SN/A    trace_flags.append(flag)
1592422SN/A    all_flags[name] = compound
1602422SN/A
1612422SN/AExport('TraceFlag')
1622422SN/AExport('CompoundFlag')
1632422SN/A
1642422SN/A########################################################################
1652422SN/A#
1662397SN/A# Set some compiler variables
1672397SN/A#
1682422SN/A
1692422SN/A# Include file paths are rooted in this directory.  SCons will
170955SN/A# automatically expand '.' to refer to both the source directory and
171955SN/A# the corresponding build directory to pick up generated include
172955SN/A# files.
173955SN/Aenv.Append(CPPPATH=Dir('.'))
174955SN/A
175955SN/A# Add a flag defining what THE_ISA should be for all compilation
176955SN/Aenv.Append(CPPDEFINES=[('THE_ISA','%s_ISA' % env['TARGET_ISA'].upper())])
177955SN/A
1781078SN/A########################################################################
179955SN/A#
180955SN/A# Walk the tree and execute all SConscripts in subdirectories
181955SN/A#
182955SN/A
1831917SN/Afor base_dir in base_dir_list:
184955SN/A    here = Dir('.').srcnode().abspath
185955SN/A    for root, dirs, files in os.walk(base_dir, topdown=True):
186955SN/A        if root == here:
187955SN/A            # we don't want to recurse back into this SConscript
188974SN/A            continue
189955SN/A
190955SN/A        if 'SConscript' in files:
191955SN/A            build_dir = joinpath(env['BUILDDIR'], root[len(base_dir) + 1:])
192955SN/A            SConscript(joinpath(root, 'SConscript'), build_dir=build_dir)
1932566SN/A
1942566SN/Afor opt in env.ExportOptions:
195955SN/A    env.ConfigFile(opt)
196955SN/A
1972539SN/A########################################################################
198955SN/A#
199955SN/A# Prevent any SimObjects from being added after this point, they
200955SN/A# should all have been added in the SConscripts above
2011817SN/A#
2021154SN/Asim_objects_fixed = True
2031840SN/A
2042522SN/A########################################################################
2052522SN/A#
2062629SN/A# Manually turn python/generate.py into a python module and import it
207955SN/A#
208955SN/Agenerate_file = File('python/generate.py')
209955SN/Agenerate_module = imp.new_module('generate')
2102539SN/Asys.modules['generate'] = generate_module
211955SN/Aexec file(generate_file.srcnode().abspath, 'r') in generate_module.__dict__
2122539SN/A
213955SN/A########################################################################
2141730SN/A#
215955SN/A# build a generate
2161070SN/A#
217955SN/Afrom generate import Generate
218955SN/AoptionDict = dict([(opt, env[opt]) for opt in env.ExportOptions])
2192212SN/Agenerate = Generate(py_sources, sim_object_modfiles, optionDict)
220955SN/Am5 = generate.m5
2211040SN/A
2222507SN/A########################################################################
2232521SN/A#
2242521SN/A# calculate extra dependencies
2252507SN/A#
2262507SN/Amodule_depends = ["m5", "m5.SimObject", "m5.params"]
2272507SN/Amodule_depends = [ File(generate.py_modules[dep]) for dep in module_depends ]
2282521SN/Afile_depends = [ generate_file ]
2292507SN/Adepends = module_depends + file_depends
2302507SN/A
231955SN/A########################################################################
232955SN/A#
233955SN/A# Commands for the basic automatically generated python files
234955SN/A#
235955SN/A
236955SN/A# Generate a file with all of the compile options in it
2371742SN/Aenv.Command('python/m5/defines.py', Value(optionDict),
2381742SN/A            generate.makeDefinesPyFile)
2391742SN/APySource('m5', 'python/m5/defines.py')
2401742SN/A
2411742SN/A# Generate a file that wraps the basic top level files
2421742SN/Aenv.Command('python/m5/info.py',
2431742SN/A            [ '#/AUTHORS', '#/LICENSE', '#/README', '#/RELEASE_NOTES' ],
2441742SN/A            generate.makeInfoPyFile)
2451742SN/APySource('m5', 'python/m5/info.py')
2461742SN/A
2471742SN/A# Generate an __init__.py file for the objects package
2481742SN/Aenv.Command('python/m5/objects/__init__.py',
2491742SN/A            [ Value(o) for o in sort_list(sim_object_modfiles) ],
2501742SN/A            generate.makeObjectsInitFile)
2511742SN/APySource('m5.objects', 'python/m5/objects/__init__.py')
2521742SN/A
2531742SN/A########################################################################
2541742SN/A#
2551742SN/A# Create all of the SimObject param headers and enum headers
2561742SN/A#
257955SN/A
258955SN/A# Generate all of the SimObject param struct header files
2592520SN/Aparams_hh_files = []
2602517SN/Afor name,simobj in generate.sim_objects.iteritems():
2612253SN/A    extra_deps = [ File(generate.py_modules[simobj.__module__]) ]
2622253SN/A
2632253SN/A    hh_file = File('params/%s.hh' % name)
2642253SN/A    params_hh_files.append(hh_file)
2652553SN/A    env.Command(hh_file, Value(name), generate.createSimObjectParam)
2662553SN/A    env.Depends(hh_file, depends + extra_deps)
2672553SN/A
2682553SN/A# Generate any parameter header files needed
2692507SN/Afor name,param in generate.params.iteritems():
2702470SN/A    if isinstance(param, m5.params.VectorParamDesc):
2711744SN/A        ext = 'vptype'
2721744SN/A    else:
2732470SN/A        ext = 'ptype'
2742470SN/A
2752470SN/A    i_file = File('params/%s_%s.i' % (name, ext))
2762470SN/A    env.Command(i_file, Value(name), generate.createSwigParam)
2772470SN/A    env.Depends(i_file, depends)
2782470SN/A
2792400SN/A# Generate all enum header files
2802400SN/Afor name,enum in generate.enums.iteritems():
281955SN/A    extra_deps = [ File(generate.py_modules[enum.__module__]) ]
282955SN/A
2832037SN/A    cc_file = File('enums/%s.cc' % name)
2842037SN/A    env.Command(cc_file, Value(name), generate.createEnumStrings)
2852037SN/A    env.Depends(cc_file, depends + extra_deps)
2862152SN/A    Source(cc_file)
2872152SN/A
2882139SN/A    hh_file = File('enums/%s.hh' % name)
2892155SN/A    env.Command(hh_file, Value(name), generate.createEnumParam)
2902155SN/A    env.Depends(hh_file, depends + extra_deps)
2912155SN/A
2922155SN/A# Build the big monolithic swigged params module (wraps all SimObject
2932155SN/A# param structs and enum structs)
2942155SN/Aparams_file = File('params/params.i')
2952155SN/Anames = sort_list(generate.sim_objects.keys())
2962155SN/Aenv.Command(params_file, [ Value(v) for v in names ],
297955SN/A            generate.buildParams)
2982155SN/Aenv.Depends(params_file, params_hh_files + depends)
299955SN/ASwigSource('m5.objects', params_file)
300955SN/A
301955SN/A# Build all swig modules
3021742SN/Aswig_modules = []
3031742SN/Afor source,package in swig_sources:
304955SN/A    filename = str(source)
305955SN/A    assert filename.endswith('.i')
306955SN/A
3071858SN/A    base = '.'.join(filename.split('.')[:-1])
308955SN/A    module = basename(base)
3091858SN/A    cc_file = base + '_wrap.cc'
3101858SN/A    py_file = base + '.py'
3111858SN/A
3121085SN/A    env.Command([cc_file, py_file], source,
313955SN/A                '$SWIG $SWIGFLAGS -outdir ${TARGETS[1].dir} '
314955SN/A                '-o ${TARGETS[0]} $SOURCES')
315955SN/A    env.Depends(py_file, source)
316955SN/A    env.Depends(cc_file, source)
317955SN/A
318955SN/A    swig_modules.append(Value(module))
319955SN/A    Source(cc_file)
320955SN/A    PySource(package, py_file)
321955SN/A
322955SN/A# Generate the main swig init file
323955SN/Aenv.Command('swig/init.cc', swig_modules, generate.makeSwigInit)
324955SN/ASource('swig/init.cc')
3251511SN/A
3261045SN/A# Generate traceflags.py
327955SN/Aflags = [ Value(f) for f in trace_flags ]
328955SN/Aenv.Command('base/traceflags.py', flags, generate.traceFlagsPy)
329955SN/APySource('m5', 'base/traceflags.py')
330955SN/A
3311108SN/Aenv.Command('base/traceflags.hh', flags, generate.traceFlagsHH)
332955SN/Aenv.Command('base/traceflags.cc', flags, generate.traceFlagsCC)
333955SN/ASource('base/traceflags.cc')
334955SN/A
335955SN/A# Build the zip file
336955SN/Apy_compiled = []
337955SN/Apy_zip_depends = []
338955SN/Afor source in py_sources:
339955SN/A    env.Command(source.compiled, source.source, generate.compilePyFile)
340955SN/A    py_compiled.append(source.compiled)
341955SN/A
342955SN/A    # make the zipfile depend on the archive name so that the archive
343955SN/A    # is rebuilt if the name changes
344955SN/A    py_zip_depends.append(Value(source.arcname))
345955SN/A
346955SN/A# Add the zip file target to the environment.
347955SN/Am5zip = File('m5py.zip')
348955SN/Aenv.Command(m5zip, py_compiled, generate.buildPyZip)
349955SN/Aenv.Depends(m5zip, py_zip_depends)
350955SN/A
351955SN/A########################################################################
352955SN/A#
353955SN/A# Define binaries.  Each different build type (debug, opt, etc.) gets
3542655Sstever@eecs.umich.edu# a slightly different build environment.
3552655Sstever@eecs.umich.edu#
3562655Sstever@eecs.umich.edu
3572655Sstever@eecs.umich.edu# List of constructed environments to pass back to SConstruct
3582655Sstever@eecs.umich.eduenvList = []
3592655Sstever@eecs.umich.edu
3602655Sstever@eecs.umich.edu# This function adds the specified sources to the given build
3612655Sstever@eecs.umich.edu# environment, and returns a list of all the corresponding SCons
3622655Sstever@eecs.umich.edu# Object nodes (including an extra one for date.cc).  We explicitly
3632655Sstever@eecs.umich.edu# add the Object nodes so we can set up special dependencies for
3642655Sstever@eecs.umich.edu# date.cc.
3652655Sstever@eecs.umich.edudef make_objs(sources, env):
3662655Sstever@eecs.umich.edu    objs = [env.Object(s) for s in sources]
3672655Sstever@eecs.umich.edu    # make date.cc depend on all other objects so it always gets
3682655Sstever@eecs.umich.edu    # recompiled whenever anything else does
3692655Sstever@eecs.umich.edu    date_obj = env.Object('base/date.cc')
3702655Sstever@eecs.umich.edu    env.Depends(date_obj, objs)
3712655Sstever@eecs.umich.edu    objs.append(date_obj)
3722655Sstever@eecs.umich.edu    return objs
3732655Sstever@eecs.umich.edu
3742655Sstever@eecs.umich.edu# Function to create a new build environment as clone of current
3752655Sstever@eecs.umich.edu# environment 'env' with modified object suffix and optional stripped
376955SN/A# binary.  Additional keyword arguments are appended to corresponding
3772655Sstever@eecs.umich.edu# build environment vars.
3782655Sstever@eecs.umich.edudef makeEnv(label, objsfx, strip = False, **kwargs):
3792655Sstever@eecs.umich.edu    newEnv = env.Copy(OBJSUFFIX=objsfx)
380955SN/A    newEnv.Label = label
381955SN/A    newEnv.Append(**kwargs)
3822655Sstever@eecs.umich.edu    exe = 'm5.' + label  # final executable
3832655Sstever@eecs.umich.edu    bin = exe + '.bin'   # executable w/o appended Python zip archive
384955SN/A    newEnv.Program(bin, make_objs(cc_sources, newEnv))
385955SN/A    if strip:
3862655Sstever@eecs.umich.edu        stripped_bin = bin + '.stripped'
3872655Sstever@eecs.umich.edu        if sys.platform == 'sunos5':
3882655Sstever@eecs.umich.edu            cmd = 'cp $SOURCE $TARGET; strip $TARGET'
389955SN/A        else:
390955SN/A            cmd = 'strip $SOURCE -o $TARGET'
3912655Sstever@eecs.umich.edu        newEnv.Command(stripped_bin, bin, cmd)
3922655Sstever@eecs.umich.edu        bin = stripped_bin
3932655Sstever@eecs.umich.edu    targets = newEnv.Concat(exe, [bin, 'm5py.zip'])
3941869SN/A    newEnv.M5Binary = targets[0]
3951869SN/A    envList.append(newEnv)
396
397# Debug binary
398ccflags = {}
399if env['GCC']:
400    if sys.platform == 'sunos5':
401        ccflags['debug'] = '-gstabs+'
402    else:
403        ccflags['debug'] = '-ggdb3'
404    ccflags['opt'] = '-g -O3'
405    ccflags['fast'] = '-O3'
406    ccflags['prof'] = '-O3 -g -pg'
407elif env['SUNCC']:
408    ccflags['debug'] = '-g0'
409    ccflags['opt'] = '-g -O'
410    ccflags['fast'] = '-fast'
411    ccflags['prof'] = '-fast -g -pg'
412elif env['ICC']:
413    ccflags['debug'] = '-g -O0'
414    ccflags['opt'] = '-g -O'
415    ccflags['fast'] = '-fast'
416    ccflags['prof'] = '-fast -g -pg'
417else:
418    print 'Unknown compiler, please fix compiler options'
419    Exit(1)
420
421makeEnv('debug', '.do',
422        CCFLAGS = Split(ccflags['debug']),
423        CPPDEFINES = ['DEBUG', 'TRACING_ON=1'])
424
425# Optimized binary
426makeEnv('opt', '.o',
427        CCFLAGS = Split(ccflags['opt']),
428        CPPDEFINES = ['TRACING_ON=1'])
429
430# "Fast" binary
431makeEnv('fast', '.fo', strip = True,
432        CCFLAGS = Split(ccflags['fast']),
433        CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'])
434
435# Profiled binary
436makeEnv('prof', '.po',
437        CCFLAGS = Split(ccflags['prof']),
438        CPPDEFINES = ['NDEBUG', 'TRACING_ON=0'],
439        LINKFLAGS = '-pg')
440
441Return('envList')
442