Main.py
上传用户:market2
上传日期:2018-11-18
资源大小:18786k
文件大小:46k
源码类别:

外挂编程

开发平台:

Windows_Unix

  1. """SCons.Script
  2. This file implements the main() function used by the scons script.
  3. Architecturally, this *is* the scons script, and will likely only be
  4. called from the external "scons" wrapper.  Consequently, anything here
  5. should not be, or be considered, part of the build engine.  If it's
  6. something that we expect other software to want to use, it should go in
  7. some other module.  If it's specific to the "scons" script invocation,
  8. it goes here.
  9. """
  10. #
  11. # Copyright (c) 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008 The SCons Foundation
  12. #
  13. # Permission is hereby granted, free of charge, to any person obtaining
  14. # a copy of this software and associated documentation files (the
  15. # "Software"), to deal in the Software without restriction, including
  16. # without limitation the rights to use, copy, modify, merge, publish,
  17. # distribute, sublicense, and/or sell copies of the Software, and to
  18. # permit persons to whom the Software is furnished to do so, subject to
  19. # the following conditions:
  20. #
  21. # The above copyright notice and this permission notice shall be included
  22. # in all copies or substantial portions of the Software.
  23. #
  24. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY
  25. # KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
  26. # WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
  27. # NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
  28. # LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
  29. # OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
  30. # WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
  31. #
  32. __revision__ = "src/engine/SCons/Script/Main.py 3057 2008/06/09 22:21:00 knight"
  33. import SCons.compat
  34. import os
  35. import os.path
  36. import string
  37. import sys
  38. import time
  39. import traceback
  40. # Strip the script directory from sys.path() so on case-insensitive
  41. # (Windows) systems Python doesn't think that the "scons" script is the
  42. # "SCons" package.  Replace it with our own version directory so, if
  43. # if they're there, we pick up the right version of the build engine
  44. # modules.
  45. #sys.path = [os.path.join(sys.prefix,
  46. #                         'lib',
  47. #                         'scons-%d' % SCons.__version__)] + sys.path[1:]
  48. import SCons.CacheDir
  49. import SCons.Debug
  50. import SCons.Defaults
  51. import SCons.Environment
  52. import SCons.Errors
  53. import SCons.Job
  54. import SCons.Node
  55. import SCons.Node.FS
  56. import SCons.SConf
  57. import SCons.Script
  58. import SCons.Taskmaster
  59. import SCons.Util
  60. import SCons.Warnings
  61. import SCons.Script.Interactive
  62. def fetch_win32_parallel_msg():
  63.     # A subsidiary function that exists solely to isolate this import
  64.     # so we don't have to pull it in on all platforms, and so that an
  65.     # in-line "import" statement in the _main() function below doesn't
  66.     # cause warnings about local names shadowing use of the 'SCons'
  67.     # globl in nest scopes and UnboundLocalErrors and the like in some
  68.     # versions (2.1) of Python.
  69.     import SCons.Platform.win32
  70.     SCons.Platform.win32.parallel_msg
  71. #
  72. class SConsPrintHelpException(Exception):
  73.     pass
  74. display = SCons.Util.display
  75. progress_display = SCons.Util.DisplayEngine()
  76. first_command_start = None
  77. last_command_end = None
  78. class Progressor:
  79.     prev = ''
  80.     count = 0
  81.     target_string = '$TARGET'
  82.     def __init__(self, obj, interval=1, file=None, overwrite=False):
  83.         if file is None:
  84.             file = sys.stdout
  85.         self.obj = obj
  86.         self.file = file
  87.         self.interval = interval
  88.         self.overwrite = overwrite
  89.         if callable(obj):
  90.             self.func = obj
  91.         elif SCons.Util.is_List(obj):
  92.             self.func = self.spinner
  93.         elif string.find(obj, self.target_string) != -1:
  94.             self.func = self.replace_string
  95.         else:
  96.             self.func = self.string
  97.     def write(self, s):
  98.         self.file.write(s)
  99.         self.file.flush()
  100.         self.prev = s
  101.     def erase_previous(self):
  102.         if self.prev:
  103.             length = len(self.prev)
  104.             if self.prev[-1] in ('n', 'r'):
  105.                 length = length - 1
  106.             self.write(' ' * length + 'r')
  107.             self.prev = ''
  108.     def spinner(self, node):
  109.         self.write(self.obj[self.count % len(self.obj)])
  110.     def string(self, node):
  111.         self.write(self.obj)
  112.     def replace_string(self, node):
  113.         self.write(string.replace(self.obj, self.target_string, str(node)))
  114.     def __call__(self, node):
  115.         self.count = self.count + 1
  116.         if (self.count % self.interval) == 0:
  117.             if self.overwrite:
  118.                 self.erase_previous()
  119.             self.func(node)
  120. ProgressObject = SCons.Util.Null()
  121. def Progress(*args, **kw):
  122.     global ProgressObject
  123.     ProgressObject = apply(Progressor, args, kw)
  124. # Task control.
  125. #
  126. _BuildFailures = []
  127. def GetBuildFailures():
  128.     return _BuildFailures
  129. class BuildTask(SCons.Taskmaster.Task):
  130.     """An SCons build task."""
  131.     progress = ProgressObject
  132.     def display(self, message):
  133.         display('scons: ' + message)
  134.     def prepare(self):
  135.         self.progress(self.targets[0])
  136.         return SCons.Taskmaster.Task.prepare(self)
  137.     def needs_execute(self):
  138.         target = self.targets[0]
  139.         if target.get_state() == SCons.Node.executing:
  140.             return True
  141.         else:
  142.             if self.top and target.has_builder():
  143.                 display("scons: `%s' is up to date." % str(self.node))
  144.             return False
  145.     def execute(self):
  146.         if print_time:
  147.             start_time = time.time()
  148.             global first_command_start
  149.             if first_command_start is None:
  150.                 first_command_start = start_time
  151.         SCons.Taskmaster.Task.execute(self)
  152.         if print_time:
  153.             global cumulative_command_time
  154.             global last_command_end
  155.             finish_time = time.time()
  156.             last_command_end = finish_time
  157.             cumulative_command_time = cumulative_command_time+finish_time-start_time
  158.             sys.stdout.write("Command execution time: %f secondsn"%(finish_time-start_time))
  159.     def do_failed(self, status=2):
  160.         _BuildFailures.append(self.exception[1])
  161.         global exit_status
  162.         global this_build_status
  163.         if self.options.ignore_errors:
  164.             SCons.Taskmaster.Task.executed(self)
  165.         elif self.options.keep_going:
  166.             SCons.Taskmaster.Task.fail_continue(self)
  167.             exit_status = status
  168.             this_build_status = status
  169.         else:
  170.             SCons.Taskmaster.Task.fail_stop(self)
  171.             exit_status = status
  172.             this_build_status = status
  173.             
  174.     def executed(self):
  175.         t = self.targets[0]
  176.         if self.top and not t.has_builder() and not t.side_effect:
  177.             if not t.exists():
  178.                 errstr="Do not know how to make target `%s'." % t
  179.                 sys.stderr.write("scons: *** " + errstr)
  180.                 if not self.options.keep_going:
  181.                     sys.stderr.write("  Stop.")
  182.                 sys.stderr.write("n")
  183.                 try:
  184.                     raise SCons.Errors.BuildError(t, errstr)
  185.                 except:
  186.                     self.exception_set()
  187.                 self.do_failed()
  188.             else:
  189.                 print "scons: Nothing to be done for `%s'." % t
  190.                 SCons.Taskmaster.Task.executed(self)
  191.         else:
  192.             SCons.Taskmaster.Task.executed(self)
  193.     def failed(self):
  194.         # Handle the failure of a build task.  The primary purpose here
  195.         # is to display the various types of Errors and Exceptions
  196.         # appropriately.
  197.         status = 2
  198.         exc_info = self.exc_info()
  199.         try:
  200.             t, e, tb = exc_info
  201.         except ValueError:
  202.             t, e = exc_info
  203.             tb = None
  204.         if t is None:
  205.             # The Taskmaster didn't record an exception for this Task;
  206.             # see if the sys module has one.
  207.             t, e = sys.exc_info()[:2]
  208.         def nodestring(n):
  209.             if not SCons.Util.is_List(n):
  210.                 n = [ n ]
  211.             return string.join(map(str, n), ', ')
  212.         errfmt = "scons: *** [%s] %sn"
  213.         if t == SCons.Errors.BuildError:
  214.             tname = nodestring(e.node)
  215.             errstr = e.errstr
  216.             if e.filename:
  217.                 errstr = e.filename + ': ' + errstr
  218.             sys.stderr.write(errfmt % (tname, errstr))
  219.         elif t == SCons.Errors.TaskmasterException:
  220.             tname = nodestring(e.node)
  221.             sys.stderr.write(errfmt % (tname, e.errstr))
  222.             type, value, trace = e.exc_info
  223.             traceback.print_exception(type, value, trace)
  224.         elif t == SCons.Errors.ExplicitExit:
  225.             status = e.status
  226.             tname = nodestring(e.node)
  227.             errstr = 'Explicit exit, status %s' % status
  228.             sys.stderr.write(errfmt % (tname, errstr))
  229.         else:
  230.             if e is None:
  231.                 e = t
  232.             s = str(e)
  233.             if t == SCons.Errors.StopError and not self.options.keep_going:
  234.                 s = s + '  Stop.'
  235.             sys.stderr.write("scons: *** %sn" % s)
  236.             if tb and print_stacktrace:
  237.                 sys.stderr.write("scons: internal stack trace:n")
  238.                 traceback.print_tb(tb, file=sys.stderr)
  239.         self.do_failed(status)
  240.         self.exc_clear()
  241.     def postprocess(self):
  242.         if self.top:
  243.             t = self.targets[0]
  244.             for tp in self.options.tree_printers:
  245.                 tp.display(t)
  246.             if self.options.debug_includes:
  247.                 tree = t.render_include_tree()
  248.                 if tree:
  249.                     print
  250.                     print tree
  251.         SCons.Taskmaster.Task.postprocess(self)
  252.     def make_ready(self):
  253.         """Make a task ready for execution"""
  254.         SCons.Taskmaster.Task.make_ready(self)
  255.         if self.out_of_date and self.options.debug_explain:
  256.             explanation = self.out_of_date[0].explain()
  257.             if explanation:
  258.                 sys.stdout.write("scons: " + explanation)
  259. class CleanTask(SCons.Taskmaster.Task):
  260.     """An SCons clean task."""
  261.     def fs_delete(self, path, pathstr, remove=1):
  262.         try:
  263.             if os.path.exists(path):
  264.                 if os.path.isfile(path):
  265.                     if remove: os.unlink(path)
  266.                     display("Removed " + pathstr)
  267.                 elif os.path.isdir(path) and not os.path.islink(path):
  268.                     # delete everything in the dir
  269.                     entries = os.listdir(path)
  270.                     # Sort for deterministic output (os.listdir() Can
  271.                     # return entries in a random order).
  272.                     entries.sort()
  273.                     for e in entries:
  274.                         p = os.path.join(path, e)
  275.                         s = os.path.join(pathstr, e)
  276.                         if os.path.isfile(p):
  277.                             if remove: os.unlink(p)
  278.                             display("Removed " + s)
  279.                         else:
  280.                             self.fs_delete(p, s, remove)
  281.                     # then delete dir itself
  282.                     if remove: os.rmdir(path)
  283.                     display("Removed directory " + pathstr)
  284.         except (IOError, OSError), e:
  285.             print "scons: Could not remove '%s':" % pathstr, e.strerror
  286.     def show(self):
  287.         target = self.targets[0]
  288.         if (target.has_builder() or target.side_effect) and not target.noclean:
  289.             for t in self.targets:
  290.                 if not t.isdir():
  291.                     display("Removed " + str(t))
  292.         if SCons.Environment.CleanTargets.has_key(target):
  293.             files = SCons.Environment.CleanTargets[target]
  294.             for f in files:
  295.                 self.fs_delete(f.abspath, str(f), 0)
  296.     def remove(self):
  297.         target = self.targets[0]
  298.         if (target.has_builder() or target.side_effect) and not target.noclean:
  299.             for t in self.targets:
  300.                 try:
  301.                     removed = t.remove()
  302.                 except OSError, e:
  303.                     # An OSError may indicate something like a permissions
  304.                     # issue, an IOError would indicate something like
  305.                     # the file not existing.  In either case, print a
  306.                     # message and keep going to try to remove as many
  307.                     # targets aa possible.
  308.                     print "scons: Could not remove '%s':" % str(t), e.strerror
  309.                 else:
  310.                     if removed:
  311.                         display("Removed " + str(t))
  312.         if SCons.Environment.CleanTargets.has_key(target):
  313.             files = SCons.Environment.CleanTargets[target]
  314.             for f in files:
  315.                 self.fs_delete(f.abspath, str(f))
  316.     execute = remove
  317.     # We want the Taskmaster to update the Node states (and therefore
  318.     # handle reference counts, etc.), but we don't want to call
  319.     # back to the Node's post-build methods, which would do things
  320.     # we don't want, like store .sconsign information.
  321.     executed = SCons.Taskmaster.Task.executed_without_callbacks
  322.     # Have the taskmaster arrange to "execute" all of the targets, because
  323.     # we'll figure out ourselves (in remove() or show() above) whether
  324.     # anything really needs to be done.
  325.     make_ready = SCons.Taskmaster.Task.make_ready_all
  326.     def prepare(self):
  327.         pass
  328. class QuestionTask(SCons.Taskmaster.Task):
  329.     """An SCons task for the -q (question) option."""
  330.     def prepare(self):
  331.         pass
  332.     
  333.     def execute(self):
  334.         if self.targets[0].get_state() != SCons.Node.up_to_date or 
  335.            (self.top and not self.targets[0].exists()):
  336.             global exit_status
  337.             global this_build_status
  338.             exit_status = 1
  339.             this_build_status = 1
  340.             self.tm.stop()
  341.     def executed(self):
  342.         pass
  343. class TreePrinter:
  344.     def __init__(self, derived=False, prune=False, status=False):
  345.         self.derived = derived
  346.         self.prune = prune
  347.         self.status = status
  348.     def get_all_children(self, node):
  349.         return node.all_children()
  350.     def get_derived_children(self, node):
  351.         children = node.all_children(None)
  352.         return filter(lambda x: x.has_builder(), children)
  353.     def display(self, t):
  354.         if self.derived:
  355.             func = self.get_derived_children
  356.         else:
  357.             func = self.get_all_children
  358.         s = self.status and 2 or 0
  359.         SCons.Util.print_tree(t, func, prune=self.prune, showtags=s)
  360. def python_version_string():
  361.     return string.split(sys.version)[0]
  362. def python_version_unsupported(version=sys.version_info):
  363.     return version < (1, 5, 2)
  364. def python_version_deprecated(version=sys.version_info):
  365.     return version < (2, 2, 0)
  366. # Global variables
  367. print_objects = 0
  368. print_memoizer = 0
  369. print_stacktrace = 0
  370. print_time = 0
  371. sconscript_time = 0
  372. cumulative_command_time = 0
  373. exit_status = 0 # final exit status, assume success by default
  374. this_build_status = 0 # "exit status" of an individual build
  375. num_jobs = None
  376. delayed_warnings = []
  377. class FakeOptionParser:
  378.     """
  379.     A do-nothing option parser, used for the initial OptionsParser variable.
  380.     During normal SCons operation, the OptionsParser is created right
  381.     away by the main() function.  Certain tests scripts however, can
  382.     introspect on different Tool modules, the initialization of which
  383.     can try to add a new, local option to an otherwise uninitialized
  384.     OptionsParser object.  This allows that introspection to happen
  385.     without blowing up.
  386.     """
  387.     class FakeOptionValues:
  388.         def __getattr__(self, attr):
  389.             return None
  390.     values = FakeOptionValues()
  391.     def add_local_option(self, *args, **kw):
  392.         pass
  393. OptionsParser = FakeOptionParser()
  394. def AddOption(*args, **kw):
  395.     if not kw.has_key('default'):
  396.         kw['default'] = None
  397.     result = apply(OptionsParser.add_local_option, args, kw)
  398.     return result
  399. def GetOption(name):
  400.     return getattr(OptionsParser.values, name)
  401. def SetOption(name, value):
  402.     return OptionsParser.values.set_option(name, value)
  403. #
  404. class Stats:
  405.     def __init__(self):
  406.         self.stats = []
  407.         self.labels = []
  408.         self.append = self.do_nothing
  409.         self.print_stats = self.do_nothing
  410.     def enable(self, outfp):
  411.         self.outfp = outfp
  412.         self.append = self.do_append
  413.         self.print_stats = self.do_print
  414.     def do_nothing(self, *args, **kw):
  415.         pass
  416. class CountStats(Stats):
  417.     def do_append(self, label):
  418.         self.labels.append(label)
  419.         self.stats.append(SCons.Debug.fetchLoggedInstances())
  420.     def do_print(self):
  421.         stats_table = {}
  422.         for s in self.stats:
  423.             for n in map(lambda t: t[0], s):
  424.                 stats_table[n] = [0, 0, 0, 0]
  425.         i = 0
  426.         for s in self.stats:
  427.             for n, c in s:
  428.                 stats_table[n][i] = c
  429.             i = i + 1
  430.         keys = stats_table.keys()
  431.         keys.sort()
  432.         self.outfp.write("Object counts:n")
  433.         pre = ["   "]
  434.         post = ["   %sn"]
  435.         l = len(self.stats)
  436.         fmt1 = string.join(pre + [' %7s']*l + post, '')
  437.         fmt2 = string.join(pre + [' %7d']*l + post, '')
  438.         labels = self.labels[:l]
  439.         labels.append(("", "Class"))
  440.         self.outfp.write(fmt1 % tuple(map(lambda x: x[0], labels)))
  441.         self.outfp.write(fmt1 % tuple(map(lambda x: x[1], labels)))
  442.         for k in keys:
  443.             r = stats_table[k][:l] + [k]
  444.             self.outfp.write(fmt2 % tuple(r))
  445. count_stats = CountStats()
  446. class MemStats(Stats):
  447.     def do_append(self, label):
  448.         self.labels.append(label)
  449.         self.stats.append(SCons.Debug.memory())
  450.     def do_print(self):
  451.         fmt = 'Memory %-32s %12dn'
  452.         for label, stats in map(None, self.labels, self.stats):
  453.             self.outfp.write(fmt % (label, stats))
  454. memory_stats = MemStats()
  455. # utility functions
  456. def _scons_syntax_error(e):
  457.     """Handle syntax errors. Print out a message and show where the error
  458.     occurred.
  459.     """
  460.     etype, value, tb = sys.exc_info()
  461.     lines = traceback.format_exception_only(etype, value)
  462.     for line in lines:
  463.         sys.stderr.write(line+'n')
  464.     sys.exit(2)
  465. def find_deepest_user_frame(tb):
  466.     """
  467.     Find the deepest stack frame that is not part of SCons.
  468.     Input is a "pre-processed" stack trace in the form
  469.     returned by traceback.extract_tb() or traceback.extract_stack()
  470.     """
  471.     
  472.     tb.reverse()
  473.     # find the deepest traceback frame that is not part
  474.     # of SCons:
  475.     for frame in tb:
  476.         filename = frame[0]
  477.         if string.find(filename, os.sep+'SCons'+os.sep) == -1:
  478.             return frame
  479.     return tb[0]
  480. def _scons_user_error(e):
  481.     """Handle user errors. Print out a message and a description of the
  482.     error, along with the line number and routine where it occured. 
  483.     The file and line number will be the deepest stack frame that is
  484.     not part of SCons itself.
  485.     """
  486.     global print_stacktrace
  487.     etype, value, tb = sys.exc_info()
  488.     if print_stacktrace:
  489.         traceback.print_exception(etype, value, tb)
  490.     filename, lineno, routine, dummy = find_deepest_user_frame(traceback.extract_tb(tb))
  491.     sys.stderr.write("nscons: *** %sn" % value)
  492.     sys.stderr.write('File "%s", line %d, in %sn' % (filename, lineno, routine))
  493.     sys.exit(2)
  494. def _scons_user_warning(e):
  495.     """Handle user warnings. Print out a message and a description of
  496.     the warning, along with the line number and routine where it occured.
  497.     The file and line number will be the deepest stack frame that is
  498.     not part of SCons itself.
  499.     """
  500.     etype, value, tb = sys.exc_info()
  501.     filename, lineno, routine, dummy = find_deepest_user_frame(traceback.extract_tb(tb))
  502.     sys.stderr.write("nscons: warning: %sn" % e)
  503.     sys.stderr.write('File "%s", line %d, in %sn' % (filename, lineno, routine))
  504. def _scons_internal_warning(e):
  505.     """Slightly different from _scons_user_warning in that we use the
  506.     *current call stack* rather than sys.exc_info() to get our stack trace.
  507.     This is used by the warnings framework to print warnings."""
  508.     filename, lineno, routine, dummy = find_deepest_user_frame(traceback.extract_stack())
  509.     sys.stderr.write("nscons: warning: %sn" % e[0])
  510.     sys.stderr.write('File "%s", line %d, in %sn' % (filename, lineno, routine))
  511. def _scons_internal_error():
  512.     """Handle all errors but user errors. Print out a message telling
  513.     the user what to do in this case and print a normal trace.
  514.     """
  515.     print 'internal error'
  516.     traceback.print_exc()
  517.     sys.exit(2)
  518. def _SConstruct_exists(dirname='', repositories=[]):
  519.     """This function checks that an SConstruct file exists in a directory.
  520.     If so, it returns the path of the file. By default, it checks the
  521.     current directory.
  522.     """
  523.     for file in ['SConstruct', 'Sconstruct', 'sconstruct']:
  524.         sfile = os.path.join(dirname, file)
  525.         if os.path.isfile(sfile):
  526.             return sfile
  527.         if not os.path.isabs(sfile):
  528.             for rep in repositories:
  529.                 if os.path.isfile(os.path.join(rep, sfile)):
  530.                     return sfile
  531.     return None
  532. def _set_debug_values(options):
  533.     global print_memoizer, print_objects, print_stacktrace, print_time
  534.     debug_values = options.debug
  535.     if "count" in debug_values:
  536.         # All of the object counts are within "if __debug__:" blocks,
  537.         # which get stripped when running optimized (with python -O or
  538.         # from compiled *.pyo files).  Provide a warning if __debug__ is
  539.         # stripped, so it doesn't just look like --debug=count is broken.
  540.         enable_count = False
  541.         if __debug__: enable_count = True
  542.         if enable_count:
  543.             count_stats.enable(sys.stdout)
  544.         else:
  545.             msg = "--debug=count is not supported when running SConsn" + 
  546.                   "twith the python -O option or optimized (.pyo) modules."
  547.             SCons.Warnings.warn(SCons.Warnings.NoObjectCountWarning, msg)
  548.     if "dtree" in debug_values:
  549.         options.tree_printers.append(TreePrinter(derived=True))
  550.     options.debug_explain = ("explain" in debug_values)
  551.     if "findlibs" in debug_values:
  552.         SCons.Scanner.Prog.print_find_libs = "findlibs"
  553.     options.debug_includes = ("includes" in debug_values)
  554.     print_memoizer = ("memoizer" in debug_values)
  555.     if "memory" in debug_values:
  556.         memory_stats.enable(sys.stdout)
  557.     print_objects = ("objects" in debug_values)
  558.     if "presub" in debug_values:
  559.         SCons.Action.print_actions_presub = 1
  560.     if "stacktrace" in debug_values:
  561.         print_stacktrace = 1
  562.     if "stree" in debug_values:
  563.         options.tree_printers.append(TreePrinter(status=True))
  564.     if "time" in debug_values:
  565.         print_time = 1
  566.     if "tree" in debug_values:
  567.         options.tree_printers.append(TreePrinter())
  568. def _create_path(plist):
  569.     path = '.'
  570.     for d in plist:
  571.         if os.path.isabs(d):
  572.             path = d
  573.         else:
  574.             path = path + '/' + d
  575.     return path
  576. def _load_site_scons_dir(topdir, site_dir_name=None):
  577.     """Load the site_scons dir under topdir.
  578.     Adds site_scons to sys.path, imports site_scons/site_init.py,
  579.     and adds site_scons/site_tools to default toolpath."""
  580.     if site_dir_name:
  581.         err_if_not_found = True       # user specified: err if missing
  582.     else:
  583.         site_dir_name = "site_scons"
  584.         err_if_not_found = False
  585.         
  586.     site_dir = os.path.join(topdir.path, site_dir_name)
  587.     if not os.path.exists(site_dir):
  588.         if err_if_not_found:
  589.             raise SCons.Errors.UserError, "site dir %s not found."%site_dir
  590.         return
  591.     site_init_filename = "site_init.py"
  592.     site_init_modname = "site_init"
  593.     site_tools_dirname = "site_tools"
  594.     sys.path = [os.path.abspath(site_dir)] + sys.path
  595.     site_init_file = os.path.join(site_dir, site_init_filename)
  596.     site_tools_dir = os.path.join(site_dir, site_tools_dirname)
  597.     if os.path.exists(site_init_file):
  598.         import imp
  599.         try:
  600.             fp, pathname, description = imp.find_module(site_init_modname,
  601.                                                         [site_dir])
  602.             try:
  603.                 imp.load_module(site_init_modname, fp, pathname, description)
  604.             finally:
  605.                 if fp:
  606.                     fp.close()
  607.         except ImportError, e:
  608.             sys.stderr.write("Can't import site init file '%s': %sn"%(site_init_file, e))
  609.             raise
  610.         except Exception, e:
  611.             sys.stderr.write("Site init file '%s' raised exception: %sn"%(site_init_file, e))
  612.             raise
  613.     if os.path.exists(site_tools_dir):
  614.         SCons.Tool.DefaultToolpath.append(os.path.abspath(site_tools_dir))
  615. def version_string(label, module):
  616.     version = module.__version__
  617.     build = module.__build__
  618.     if build:
  619.         if build[0] != '.':
  620.             build = '.' + build
  621.         version = version + build
  622.     fmt = "t%s: v%s, %s, by %s on %sn"
  623.     return fmt % (label,
  624.                   version,
  625.                   module.__date__,
  626.                   module.__developer__,
  627.                   module.__buildsys__)
  628. def _main(parser):
  629.     global exit_status
  630.     global this_build_status
  631.     options = parser.values
  632.     # Here's where everything really happens.
  633.     # First order of business:  set up default warnings and then
  634.     # handle the user's warning options, so that we can issue (or
  635.     # suppress) appropriate warnings about anything that might happen,
  636.     # as configured by the user.
  637.     default_warnings = [ SCons.Warnings.CorruptSConsignWarning,
  638.                          SCons.Warnings.DeprecatedWarning,
  639.                          SCons.Warnings.DuplicateEnvironmentWarning,
  640.                          SCons.Warnings.LinkWarning,
  641.                          SCons.Warnings.MissingSConscriptWarning,
  642.                          SCons.Warnings.NoMD5ModuleWarning,
  643.                          SCons.Warnings.NoMetaclassSupportWarning,
  644.                          SCons.Warnings.NoObjectCountWarning,
  645.                          SCons.Warnings.NoParallelSupportWarning,
  646.                          SCons.Warnings.MisleadingKeywordsWarning,
  647.                          SCons.Warnings.StackSizeWarning, ]
  648.     for warning in default_warnings:
  649.         SCons.Warnings.enableWarningClass(warning)
  650.     SCons.Warnings._warningOut = _scons_internal_warning
  651.     SCons.Warnings.process_warn_strings(options.warn)
  652.     # Now that we have the warnings configuration set up, we can actually
  653.     # issue (or suppress) any warnings about warning-worthy things that
  654.     # occurred while the command-line options were getting parsed.
  655.     try:
  656.         dw = options.delayed_warnings
  657.     except AttributeError:
  658.         pass
  659.     else:
  660.         delayed_warnings.extend(dw)
  661.     for warning_type, message in delayed_warnings:
  662.         SCons.Warnings.warn(warning_type, message)
  663.     if options.diskcheck:
  664.         SCons.Node.FS.set_diskcheck(options.diskcheck)
  665.     # Next, we want to create the FS object that represents the outside
  666.     # world's file system, as that's central to a lot of initialization.
  667.     # To do this, however, we need to be in the directory from which we
  668.     # want to start everything, which means first handling any relevant
  669.     # options that might cause us to chdir somewhere (-C, -D, -U, -u).
  670.     if options.directory:
  671.         cdir = _create_path(options.directory)
  672.         try:
  673.             os.chdir(cdir)
  674.         except OSError:
  675.             sys.stderr.write("Could not change directory to %sn" % cdir)
  676.     target_top = None
  677.     if options.climb_up:
  678.         target_top = '.'  # directory to prepend to targets
  679.         script_dir = os.getcwd()  # location of script
  680.         while script_dir and not _SConstruct_exists(script_dir, options.repository):
  681.             script_dir, last_part = os.path.split(script_dir)
  682.             if last_part:
  683.                 target_top = os.path.join(last_part, target_top)
  684.             else:
  685.                 script_dir = ''
  686.         if script_dir:
  687.             display("scons: Entering directory `%s'" % script_dir)
  688.             os.chdir(script_dir)
  689.     # Now that we're in the top-level SConstruct directory, go ahead
  690.     # and initialize the FS object that represents the file system,
  691.     # and make it the build engine default.
  692.     fs = SCons.Node.FS.get_default_fs()
  693.     for rep in options.repository:
  694.         fs.Repository(rep)
  695.     # Now that we have the FS object, the next order of business is to
  696.     # check for an SConstruct file (or other specified config file).
  697.     # If there isn't one, we can bail before doing any more work.
  698.     scripts = []
  699.     if options.file:
  700.         scripts.extend(options.file)
  701.     if not scripts:
  702.         sfile = _SConstruct_exists(repositories=options.repository)
  703.         if sfile:
  704.             scripts.append(sfile)
  705.     if not scripts:
  706.         if options.help:
  707.             # There's no SConstruct, but they specified -h.
  708.             # Give them the options usage now, before we fail
  709.             # trying to read a non-existent SConstruct file.
  710.             raise SConsPrintHelpException
  711.         raise SCons.Errors.UserError, "No SConstruct file found."
  712.     if scripts[0] == "-":
  713.         d = fs.getcwd()
  714.     else:
  715.         d = fs.File(scripts[0]).dir
  716.     fs.set_SConstruct_dir(d)
  717.     _set_debug_values(options)
  718.     SCons.Node.implicit_cache = options.implicit_cache
  719.     SCons.Node.implicit_deps_changed = options.implicit_deps_changed
  720.     SCons.Node.implicit_deps_unchanged = options.implicit_deps_unchanged
  721.     if options.no_exec:
  722.         SCons.SConf.dryrun = 1
  723.         SCons.Action.execute_actions = None
  724.     if options.question:
  725.         SCons.SConf.dryrun = 1
  726.     if options.clean:
  727.         SCons.SConf.SetBuildType('clean')
  728.     if options.help:
  729.         SCons.SConf.SetBuildType('help')
  730.     SCons.SConf.SetCacheMode(options.config)
  731.     SCons.SConf.SetProgressDisplay(progress_display)
  732.     if options.no_progress or options.silent:
  733.         progress_display.set_mode(0)
  734.     if options.site_dir:
  735.         _load_site_scons_dir(d, options.site_dir)
  736.     elif not options.no_site_dir:
  737.         _load_site_scons_dir(d)
  738.         
  739.     if options.include_dir:
  740.         sys.path = options.include_dir + sys.path
  741.     # That should cover (most of) the options.  Next, set up the variables
  742.     # that hold command-line arguments, so the SConscript files that we
  743.     # read and execute have access to them.
  744.     targets = []
  745.     xmit_args = []
  746.     for a in parser.largs:
  747.         if a[0] == '-':
  748.             continue
  749.         if '=' in a:
  750.             xmit_args.append(a)
  751.         else:
  752.             targets.append(a)
  753.     SCons.Script._Add_Targets(targets + parser.rargs)
  754.     SCons.Script._Add_Arguments(xmit_args)
  755.     # If stdout is not a tty, replace it with a wrapper object to call flush
  756.     # after every write.
  757.     #
  758.     # Tty devices automatically flush after every newline, so the replacement
  759.     # isn't necessary.  Furthermore, if we replace sys.stdout, the readline
  760.     # module will no longer work.  This affects the behavior during
  761.     # --interactive mode.  --interactive should only be used when stdin and
  762.     # stdout refer to a tty.
  763.     if not sys.stdout.isatty():
  764.         sys.stdout = SCons.Util.Unbuffered(sys.stdout)
  765.     if not sys.stderr.isatty():
  766.         sys.stderr = SCons.Util.Unbuffered(sys.stderr)
  767.     memory_stats.append('before reading SConscript files:')
  768.     count_stats.append(('pre-', 'read'))
  769.     # And here's where we (finally) read the SConscript files.
  770.     progress_display("scons: Reading SConscript files ...")
  771.     start_time = time.time()
  772.     try:
  773.         for script in scripts:
  774.             SCons.Script._SConscript._SConscript(fs, script)
  775.     except SCons.Errors.StopError, e:
  776.         # We had problems reading an SConscript file, such as it
  777.         # couldn't be copied in to the VariantDir.  Since we're just
  778.         # reading SConscript files and haven't started building
  779.         # things yet, stop regardless of whether they used -i or -k
  780.         # or anything else.
  781.         sys.stderr.write("scons: *** %s  Stop.n" % e)
  782.         exit_status = 2
  783.         sys.exit(exit_status)
  784.     global sconscript_time
  785.     sconscript_time = time.time() - start_time
  786.     progress_display("scons: done reading SConscript files.")
  787.     memory_stats.append('after reading SConscript files:')
  788.     count_stats.append(('post-', 'read'))
  789.     # Re-{enable,disable} warnings in case they disabled some in
  790.     # the SConscript file.
  791.     #
  792.     # We delay enabling the PythonVersionWarning class until here so that,
  793.     # if they explicity disabled it in either in the command line or in
  794.     # $SCONSFLAGS, or in the SConscript file, then the search through
  795.     # the list of deprecated warning classes will find that disabling
  796.     # first and not issue the warning.
  797.     SCons.Warnings.enableWarningClass(SCons.Warnings.PythonVersionWarning)
  798.     SCons.Warnings.process_warn_strings(options.warn)
  799.     # Now that we've read the SConscript files, we can check for the
  800.     # warning about deprecated Python versions--delayed until here
  801.     # in case they disabled the warning in the SConscript files.
  802.     if python_version_deprecated():
  803.         msg = "Support for pre-2.2 Python (%s) is deprecated.n" + 
  804.               "    If this will cause hardship, contact dev@scons.tigris.org."
  805.         SCons.Warnings.warn(SCons.Warnings.PythonVersionWarning,
  806.                             msg % python_version_string())
  807.     if not options.help:
  808.         SCons.SConf.CreateConfigHBuilder(SCons.Defaults.DefaultEnvironment())
  809.     # Now re-parse the command-line options (any to the left of a '--'
  810.     # argument, that is) with any user-defined command-line options that
  811.     # the SConscript files may have added to the parser object.  This will
  812.     # emit the appropriate error message and exit if any unknown option
  813.     # was specified on the command line.
  814.     parser.preserve_unknown_options = False
  815.     parser.parse_args(parser.largs, options)
  816.     if options.help:
  817.         help_text = SCons.Script.help_text
  818.         if help_text is None:
  819.             # They specified -h, but there was no Help() inside the
  820.             # SConscript files.  Give them the options usage.
  821.             raise SConsPrintHelpException
  822.         else:
  823.             print help_text
  824.             print "Use scons -H for help about command-line options."
  825.         exit_status = 0
  826.         return
  827.     # Change directory to the top-level SConstruct directory, then tell
  828.     # the Node.FS subsystem that we're all done reading the SConscript
  829.     # files and calling Repository() and VariantDir() and changing
  830.     # directories and the like, so it can go ahead and start memoizing
  831.     # the string values of file system nodes.
  832.     fs.chdir(fs.Top)
  833.     SCons.Node.FS.save_strings(1)
  834.     # Now that we've read the SConscripts we can set the options
  835.     # that are SConscript settable:
  836.     SCons.Node.implicit_cache = options.implicit_cache
  837.     SCons.Node.FS.set_duplicate(options.duplicate)
  838.     fs.set_max_drift(options.max_drift)
  839.     if not options.stack_size is None:
  840.         SCons.Job.stack_size = options.stack_size
  841.     platform = SCons.Platform.platform_module()
  842.     if options.interactive:
  843.         SCons.Script.Interactive.interact(fs, OptionsParser, options,
  844.                                           targets, target_top)
  845.     else:
  846.         # Build the targets
  847.         nodes = _build_targets(fs, options, targets, target_top)
  848.         if not nodes:
  849.             exit_status = 2
  850. def _build_targets(fs, options, targets, target_top):
  851.     global this_build_status
  852.     this_build_status = 0
  853.     progress_display.set_mode(not (options.no_progress or options.silent))
  854.     display.set_mode(not options.silent)
  855.     SCons.Action.print_actions          = not options.silent
  856.     SCons.Action.execute_actions        = not options.no_exec
  857.     SCons.SConf.dryrun                  = options.no_exec
  858.     if options.diskcheck:
  859.         SCons.Node.FS.set_diskcheck(options.diskcheck)
  860.     SCons.CacheDir.cache_enabled = not options.cache_disable
  861.     SCons.CacheDir.cache_debug = options.cache_debug
  862.     SCons.CacheDir.cache_force = options.cache_force
  863.     SCons.CacheDir.cache_show = options.cache_show
  864.     if options.no_exec:
  865.         CleanTask.execute = CleanTask.show
  866.     else:
  867.         CleanTask.execute = CleanTask.remove
  868.     lookup_top = None
  869.     if targets or SCons.Script.BUILD_TARGETS != SCons.Script._build_plus_default:
  870.         # They specified targets on the command line or modified
  871.         # BUILD_TARGETS in the SConscript file(s), so if they used -u,
  872.         # -U or -D, we have to look up targets relative to the top,
  873.         # but we build whatever they specified.
  874.         if target_top:
  875.             lookup_top = fs.Dir(target_top)
  876.             target_top = None
  877.         targets = SCons.Script.BUILD_TARGETS
  878.     else:
  879.         # There are no targets specified on the command line,
  880.         # so if they used -u, -U or -D, we may have to restrict
  881.         # what actually gets built.
  882.         d = None
  883.         if target_top:
  884.             if options.climb_up == 1:
  885.                 # -u, local directory and below
  886.                 target_top = fs.Dir(target_top)
  887.                 lookup_top = target_top
  888.             elif options.climb_up == 2:
  889.                 # -D, all Default() targets
  890.                 target_top = None
  891.                 lookup_top = None
  892.             elif options.climb_up == 3:
  893.                 # -U, local SConscript Default() targets
  894.                 target_top = fs.Dir(target_top)
  895.                 def check_dir(x, target_top=target_top):
  896.                     if hasattr(x, 'cwd') and not x.cwd is None:
  897.                         cwd = x.cwd.srcnode()
  898.                         return cwd == target_top
  899.                     else:
  900.                         # x doesn't have a cwd, so it's either not a target,
  901.                         # or not a file, so go ahead and keep it as a default
  902.                         # target and let the engine sort it out:
  903.                         return 1                
  904.                 d = filter(check_dir, SCons.Script.DEFAULT_TARGETS)
  905.                 SCons.Script.DEFAULT_TARGETS[:] = d
  906.                 target_top = None
  907.                 lookup_top = None
  908.         targets = SCons.Script._Get_Default_Targets(d, fs)
  909.     if not targets:
  910.         sys.stderr.write("scons: *** No targets specified and no Default() targets found.  Stop.n")
  911.         return None
  912.     def Entry(x, ltop=lookup_top, ttop=target_top, fs=fs):
  913.         if isinstance(x, SCons.Node.Node):
  914.             node = x
  915.         else:
  916.             node = None
  917.             # Why would ltop be None? Unfortunately this happens.
  918.             if ltop == None: ltop = ''
  919.             # Curdir becomes important when SCons is called with -u, -C,
  920.             # or similar option that changes directory, and so the paths
  921.             # of targets given on the command line need to be adjusted.
  922.             curdir = os.path.join(os.getcwd(), str(ltop))
  923.             for lookup in SCons.Node.arg2nodes_lookups:
  924.                 node = lookup(x, curdir=curdir)
  925.                 if node != None:
  926.                     break
  927.             if node is None:
  928.                 node = fs.Entry(x, directory=ltop, create=1)
  929.         if ttop and not node.is_under(ttop):
  930.             if isinstance(node, SCons.Node.FS.Dir) and ttop.is_under(node):
  931.                 node = ttop
  932.             else:
  933.                 node = None
  934.         return node
  935.     nodes = filter(None, map(Entry, targets))
  936.     task_class = BuildTask      # default action is to build targets
  937.     opening_message = "Building targets ..."
  938.     closing_message = "done building targets."
  939.     if options.keep_going:
  940.         failure_message = "done building targets (errors occurred during build)."
  941.     else:
  942.         failure_message = "building terminated because of errors."
  943.     if options.question:
  944.         task_class = QuestionTask
  945.     try:
  946.         if options.clean:
  947.             task_class = CleanTask
  948.             opening_message = "Cleaning targets ..."
  949.             closing_message = "done cleaning targets."
  950.             if options.keep_going:
  951.                 failure_message = "done cleaning targets (errors occurred during clean)."
  952.             else:
  953.                 failure_message = "cleaning terminated because of errors."
  954.     except AttributeError:
  955.         pass
  956.     task_class.progress = ProgressObject
  957.     if options.random:
  958.         def order(dependencies):
  959.             """Randomize the dependencies."""
  960.             import random
  961.             # This is cribbed from the implementation of
  962.             # random.shuffle() in Python 2.X.
  963.             d = dependencies
  964.             for i in xrange(len(d)-1, 0, -1):
  965.                 j = int(random.random() * (i+1))
  966.                 d[i], d[j] = d[j], d[i]
  967.             return d
  968.     else:
  969.         def order(dependencies):
  970.             """Leave the order of dependencies alone."""
  971.             return dependencies
  972.     if options.taskmastertrace_file == '-':
  973.         tmtrace = sys.stdout
  974.     elif options.taskmastertrace_file:
  975.         tmtrace = open(options.taskmastertrace_file, 'wb')
  976.     else:
  977.         tmtrace = None
  978.     taskmaster = SCons.Taskmaster.Taskmaster(nodes, task_class, order, tmtrace)
  979.     # Let the BuildTask objects get at the options to respond to the
  980.     # various print_* settings, tree_printer list, etc.
  981.     BuildTask.options = options
  982.     global num_jobs
  983.     num_jobs = options.num_jobs
  984.     jobs = SCons.Job.Jobs(num_jobs, taskmaster)
  985.     if num_jobs > 1:
  986.         msg = None
  987.         if jobs.num_jobs == 1:
  988.             msg = "parallel builds are unsupported by this version of Python;n" + 
  989.                   "tignoring -j or num_jobs option.n"
  990.         elif sys.platform == 'win32':
  991.             msg = fetch_win32_parallel_msg()
  992.         if msg:
  993.             SCons.Warnings.warn(SCons.Warnings.NoParallelSupportWarning, msg)
  994.     memory_stats.append('before building targets:')
  995.     count_stats.append(('pre-', 'build'))
  996.     def jobs_postfunc(
  997.         jobs=jobs,
  998.         options=options,
  999.         closing_message=closing_message,
  1000.         failure_message=failure_message
  1001.         ):
  1002.         if jobs.were_interrupted():
  1003.             progress_display("scons: Build interrupted.")
  1004.             global exit_status
  1005.             global this_build_status
  1006.             exit_status = 2
  1007.             this_build_status = 2
  1008.         if this_build_status:
  1009.             progress_display("scons: " + failure_message)
  1010.         else:
  1011.             progress_display("scons: " + closing_message)
  1012.         if not options.no_exec:
  1013.             if jobs.were_interrupted():
  1014.                 progress_display("scons: writing .sconsign file.")
  1015.             SCons.SConsign.write()
  1016.     progress_display("scons: " + opening_message)
  1017.     jobs.run(postfunc = jobs_postfunc)
  1018.     memory_stats.append('after building targets:')
  1019.     count_stats.append(('post-', 'build'))
  1020.     return nodes
  1021. def _exec_main(parser, values):
  1022.     sconsflags = os.environ.get('SCONSFLAGS', '')
  1023.     all_args = string.split(sconsflags) + sys.argv[1:]
  1024.     options, args = parser.parse_args(all_args, values)
  1025.     if type(options.debug) == type([]) and "pdb" in options.debug:
  1026.         import pdb
  1027.         pdb.Pdb().runcall(_main, parser)
  1028.     elif options.profile_file:
  1029.         from profile import Profile
  1030.         # Some versions of Python 2.4 shipped a profiler that had the
  1031.         # wrong 'c_exception' entry in its dispatch table.  Make sure
  1032.         # we have the right one.  (This may put an unnecessary entry
  1033.         # in the table in earlier versions of Python, but its presence
  1034.         # shouldn't hurt anything).
  1035.         try:
  1036.             dispatch = Profile.dispatch
  1037.         except AttributeError:
  1038.             pass
  1039.         else:
  1040.             dispatch['c_exception'] = Profile.trace_dispatch_return
  1041.         prof = Profile()
  1042.         try:
  1043.             prof.runcall(_main, parser)
  1044.         except SConsPrintHelpException, e:
  1045.             prof.dump_stats(options.profile_file)
  1046.             raise e
  1047.         except SystemExit:
  1048.             pass
  1049.         prof.dump_stats(options.profile_file)
  1050.     else:
  1051.         _main(parser)
  1052. def main():
  1053.     global OptionsParser
  1054.     global exit_status
  1055.     global first_command_start
  1056.     # Check up front for a Python version we do not support.  We
  1057.     # delay the check for deprecated Python versions until later,
  1058.     # after the SConscript files have been read, in case they
  1059.     # disable that warning.
  1060.     if python_version_unsupported():
  1061.         msg = "scons: *** SCons version %s does not run under Python version %s.n"
  1062.         sys.stderr.write(msg % (SCons.__version__, python_version_string()))
  1063.         sys.exit(1)
  1064.     parts = ["SCons by Steven Knight et al.:n"]
  1065.     try:
  1066.         import __main__
  1067.         parts.append(version_string("script", __main__))
  1068.     except (ImportError, AttributeError):
  1069.         # On Windows there is no scons.py, so there is no
  1070.         # __main__.__version__, hence there is no script version.
  1071.         pass 
  1072.     parts.append(version_string("engine", SCons))
  1073.     parts.append("Copyright (c) 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008 The SCons Foundation")
  1074.     version = string.join(parts, '')
  1075.     import SConsOptions
  1076.     parser = SConsOptions.Parser(version)
  1077.     values = SConsOptions.SConsValues(parser.get_default_values())
  1078.     OptionsParser = parser
  1079.     
  1080.     try:
  1081.         _exec_main(parser, values)
  1082.     except SystemExit, s:
  1083.         if s:
  1084.             exit_status = s
  1085.     except KeyboardInterrupt:
  1086.         print("scons: Build interrupted.")
  1087.         sys.exit(2)
  1088.     except SyntaxError, e:
  1089.         _scons_syntax_error(e)
  1090.     except SCons.Errors.InternalError:
  1091.         _scons_internal_error()
  1092.     except SCons.Errors.UserError, e:
  1093.         _scons_user_error(e)
  1094.     except SConsPrintHelpException:
  1095.         parser.print_help()
  1096.         exit_status = 0
  1097.     except:
  1098.         # An exception here is likely a builtin Python exception Python
  1099.         # code in an SConscript file.  Show them precisely what the
  1100.         # problem was and where it happened.
  1101.         SCons.Script._SConscript.SConscript_exception()
  1102.         sys.exit(2)
  1103.     memory_stats.print_stats()
  1104.     count_stats.print_stats()
  1105.     if print_objects:
  1106.         SCons.Debug.listLoggedInstances('*')
  1107.         #SCons.Debug.dumpLoggedInstances('*')
  1108.     if print_memoizer:
  1109.         SCons.Memoize.Dump("Memoizer (memory cache) hits and misses:")
  1110.     # Dump any development debug info that may have been enabled.
  1111.     # These are purely for internal debugging during development, so
  1112.     # there's no need to control them with --debug= options; they're
  1113.     # controlled by changing the source code.
  1114.     SCons.Debug.dump_caller_counts()
  1115.     SCons.Taskmaster.dump_stats()
  1116.     if print_time:
  1117.         total_time = time.time() - SCons.Script.start_time
  1118.         if num_jobs == 1:
  1119.             ct = cumulative_command_time
  1120.         else:
  1121.             if last_command_end is None or first_command_start is None:
  1122.                 ct = 0.0
  1123.             else:
  1124.                 ct = last_command_end - first_command_start
  1125.         scons_time = total_time - sconscript_time - ct
  1126.         print "Total build time: %f seconds"%total_time
  1127.         print "Total SConscript file execution time: %f seconds"%sconscript_time
  1128.         print "Total SCons execution time: %f seconds"%scons_time
  1129.         print "Total command execution time: %f seconds"%ct
  1130.     sys.exit(exit_status)