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

外挂编程

开发平台:

Windows_Unix

  1. """SCons.SConf
  2. Autoconf-like configuration support.
  3. """
  4. #
  5. # Copyright (c) 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008 The SCons Foundation
  6. #
  7. # Permission is hereby granted, free of charge, to any person obtaining
  8. # a copy of this software and associated documentation files (the
  9. # "Software"), to deal in the Software without restriction, including
  10. # without limitation the rights to use, copy, modify, merge, publish,
  11. # distribute, sublicense, and/or sell copies of the Software, and to
  12. # permit persons to whom the Software is furnished to do so, subject to
  13. # the following conditions:
  14. #
  15. # The above copyright notice and this permission notice shall be included
  16. # in all copies or substantial portions of the Software.
  17. #
  18. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY
  19. # KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
  20. # WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
  21. # NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
  22. # LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
  23. # OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
  24. # WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
  25. #
  26. __revision__ = "src/engine/SCons/SConf.py 3057 2008/06/09 22:21:00 knight"
  27. import SCons.compat
  28. import os
  29. import re
  30. import string
  31. import StringIO
  32. import sys
  33. import traceback
  34. import types
  35. import SCons.Action
  36. import SCons.Builder
  37. import SCons.Errors
  38. import SCons.Job
  39. import SCons.Node.FS
  40. import SCons.Taskmaster
  41. import SCons.Util
  42. import SCons.Warnings
  43. import SCons.Conftest
  44. from SCons.Debug import Trace
  45. # Turn off the Conftest error logging
  46. SCons.Conftest.LogInputFiles = 0
  47. SCons.Conftest.LogErrorMessages = 0
  48. # Set
  49. build_type = None
  50. build_types = ['clean', 'help']
  51. def SetBuildType(type):
  52.     global build_type
  53.     build_type = type
  54. # to be set, if we are in dry-run mode
  55. dryrun = 0
  56. AUTO=0  # use SCons dependency scanning for up-to-date checks
  57. FORCE=1 # force all tests to be rebuilt
  58. CACHE=2 # force all tests to be taken from cache (raise an error, if necessary)
  59. cache_mode = AUTO
  60. def SetCacheMode(mode):
  61.     """Set the Configure cache mode. mode must be one of "auto", "force",
  62.     or "cache"."""
  63.     global cache_mode
  64.     if mode == "auto":
  65.         cache_mode = AUTO
  66.     elif mode == "force":
  67.         cache_mode = FORCE
  68.     elif mode == "cache":
  69.         cache_mode = CACHE
  70.     else:
  71.         raise ValueError, "SCons.SConf.SetCacheMode: Unknown mode " + mode
  72. progress_display = SCons.Util.display # will be overwritten by SCons.Script
  73. def SetProgressDisplay(display):
  74.     """Set the progress display to use (called from SCons.Script)"""
  75.     global progress_display
  76.     progress_display = display
  77. SConfFS = None
  78. _ac_build_counter = 0 # incremented, whenever TryBuild is called
  79. _ac_config_logs = {}  # all config.log files created in this build
  80. _ac_config_hs   = {}  # all config.h files created in this build
  81. sconf_global = None   # current sconf object
  82. def _createConfigH(target, source, env):
  83.     t = open(str(target[0]), "w")
  84.     defname = re.sub('[^A-Za-z0-9_]', '_', string.upper(str(target[0])))
  85.     t.write("""#ifndef %(DEFNAME)s_SEEN
  86. #define %(DEFNAME)s_SEEN
  87. """ % {'DEFNAME' : defname})
  88.     t.write(source[0].get_contents())
  89.     t.write("""
  90. #endif /* %(DEFNAME)s_SEEN */
  91. """ % {'DEFNAME' : defname})
  92.     t.close()
  93. def _stringConfigH(target, source, env):
  94.     return "scons: Configure: creating " + str(target[0])
  95. def CreateConfigHBuilder(env):
  96.     """Called just before the building targets phase begins."""
  97.     if len(_ac_config_hs) == 0:
  98.         return
  99.     action = SCons.Action.Action(_createConfigH,
  100.                                  _stringConfigH)
  101.     sconfigHBld = SCons.Builder.Builder(action=action)
  102.     env.Append( BUILDERS={'SConfigHBuilder':sconfigHBld} )
  103.     for k in _ac_config_hs.keys():
  104.         env.SConfigHBuilder(k, env.Value(_ac_config_hs[k]))
  105.     
  106. class SConfWarning(SCons.Warnings.Warning):
  107.     pass
  108. SCons.Warnings.enableWarningClass(SConfWarning)
  109. # some error definitions
  110. class SConfError(SCons.Errors.UserError):
  111.     def __init__(self,msg):
  112.         SCons.Errors.UserError.__init__(self,msg)
  113. class ConfigureDryRunError(SConfError):
  114.     """Raised when a file or directory needs to be updated during a Configure
  115.     process, but the user requested a dry-run"""
  116.     def __init__(self,target):
  117.         if not isinstance(target, SCons.Node.FS.File):
  118.             msg = 'Cannot create configure directory "%s" within a dry-run.' % str(target)
  119.         else:
  120.             msg = 'Cannot update configure test "%s" within a dry-run.' % str(target)
  121.         SConfError.__init__(self,msg)
  122. class ConfigureCacheError(SConfError):
  123.     """Raised when a use explicitely requested the cache feature, but the test
  124.     is run the first time."""
  125.     def __init__(self,target):
  126.         SConfError.__init__(self, '"%s" is not yet built and cache is forced.' % str(target))
  127. # define actions for building text files
  128. def _createSource( target, source, env ):
  129.     fd = open(str(target[0]), "w")
  130.     fd.write(source[0].get_contents())
  131.     fd.close()
  132. def _stringSource( target, source, env ):
  133.     return (str(target[0]) + ' <-n  |' +
  134.             string.replace( source[0].get_contents(),
  135.                             'n', "n  |" ) )
  136. # python 2.2 introduces types.BooleanType
  137. BooleanTypes = [types.IntType]
  138. if hasattr(types, 'BooleanType'): BooleanTypes.append(types.BooleanType)
  139. class SConfBuildInfo(SCons.Node.FS.FileBuildInfo):
  140.     """
  141.     Special build info for targets of configure tests. Additional members
  142.     are result (did the builder succeed last time?) and string, which
  143.     contains messages of the original build phase.
  144.     """
  145.     result = None # -> 0/None -> no error, != 0 error
  146.     string = None # the stdout / stderr output when building the target
  147.     def set_build_result(self, result, string):
  148.         self.result = result
  149.         self.string = string
  150. class Streamer:
  151.     """
  152.     'Sniffer' for a file-like writable object. Similar to the unix tool tee.
  153.     """
  154.     def __init__(self, orig):
  155.         self.orig = orig
  156.         self.s = StringIO.StringIO()
  157.     def write(self, str):
  158.         if self.orig:
  159.             self.orig.write(str)
  160.         self.s.write(str)
  161.     def writelines(self, lines):
  162.         for l in lines:
  163.             self.write(l + 'n')
  164.     def getvalue(self):
  165.         """
  166.         Return everything written to orig since the Streamer was created.
  167.         """
  168.         return self.s.getvalue()
  169.     def flush(self):
  170.         if self.orig:
  171.             self.orig.flush()
  172.         self.s.flush()
  173.         
  174. class SConfBuildTask(SCons.Taskmaster.Task):
  175.     """
  176.     This is almost the same as SCons.Script.BuildTask. Handles SConfErrors
  177.     correctly and knows about the current cache_mode.
  178.     """
  179.     def display(self, message):
  180.         if sconf_global.logstream:
  181.             sconf_global.logstream.write("scons: Configure: " + message + "n")
  182.     def display_cached_string(self, bi):
  183.         """
  184.         Logs the original builder messages, given the SConfBuildInfo instance
  185.         bi.
  186.         """
  187.         if not isinstance(bi, SConfBuildInfo):
  188.             SCons.Warnings.warn(SConfWarning,
  189.               "The stored build information has an unexpected class: %s" % bi.__class__)
  190.         else:
  191.             self.display("The original builder output was:n" +
  192.                          string.replace("  |" + str(bi.string),
  193.                                         "n", "n  |"))
  194.     def failed(self):
  195.         # check, if the reason was a ConfigureDryRunError or a
  196.         # ConfigureCacheError and if yes, reraise the exception
  197.         exc_type = self.exc_info()[0]
  198.         if issubclass(exc_type, SConfError):
  199.             raise
  200.         elif issubclass(exc_type, SCons.Errors.BuildError):
  201.             # we ignore Build Errors (occurs, when a test doesn't pass)
  202.             pass
  203.         else:
  204.             self.display('Caught exception while building "%s":n' %
  205.                          self.targets[0])
  206.             try:
  207.                 excepthook = sys.excepthook
  208.             except AttributeError:
  209.                 # Earlier versions of Python don't have sys.excepthook...
  210.                 def excepthook(type, value, tb):
  211.                     traceback.print_tb(tb)
  212.                     print type, value
  213.             apply(excepthook, self.exc_info())
  214.         return SCons.Taskmaster.Task.failed(self)
  215.     def collect_node_states(self):
  216.         # returns (is_up_to_date, cached_error, cachable)
  217.         # where is_up_to_date is 1, if the node(s) are up_to_date
  218.         #       cached_error  is 1, if the node(s) are up_to_date, but the
  219.         #                           build will fail
  220.         #       cachable      is 0, if some nodes are not in our cache
  221.         T = 0
  222.         changed = False
  223.         cached_error = False
  224.         cachable = True
  225.         for t in self.targets:
  226.             if T: Trace('%s' % (t))
  227.             bi = t.get_stored_info().binfo
  228.             if isinstance(bi, SConfBuildInfo):
  229.                 if T: Trace(': SConfBuildInfo')
  230.                 if cache_mode == CACHE:
  231.                     t.set_state(SCons.Node.up_to_date)
  232.                     if T: Trace(': set_state(up_to-date)')
  233.                 else:
  234.                     if T: Trace(': get_state() %s' % t.get_state())
  235.                     if T: Trace(': changed() %s' % t.changed())
  236.                     if (t.get_state() != SCons.Node.up_to_date and t.changed()):
  237.                         changed = True
  238.                     if T: Trace(': changed %s' % changed)
  239.                 cached_error = cached_error or bi.result
  240.             else:
  241.                 if T: Trace(': else')
  242.                 # the node hasn't been built in a SConf context or doesn't
  243.                 # exist
  244.                 cachable = False
  245.                 changed = ( t.get_state() != SCons.Node.up_to_date )
  246.                 if T: Trace(': changed %s' % changed)
  247.         if T: Trace('n')
  248.         return (not changed, cached_error, cachable)
  249.     def execute(self):
  250.         if not self.targets[0].has_builder():
  251.             return
  252.         sconf = sconf_global
  253.         is_up_to_date, cached_error, cachable = self.collect_node_states()
  254.         if cache_mode == CACHE and not cachable:
  255.             raise ConfigureCacheError(self.targets[0])
  256.         elif cache_mode == FORCE:
  257.             is_up_to_date = 0
  258.         if cached_error and is_up_to_date:
  259.             self.display("Building "%s" failed in a previous run and all "
  260.                          "its sources are up to date." % str(self.targets[0]))
  261.             binfo = self.targets[0].get_stored_info().binfo
  262.             self.display_cached_string(binfo)
  263.             raise SCons.Errors.BuildError # will be 'caught' in self.failed
  264.         elif is_up_to_date:            
  265.             self.display(""%s" is up to date." % str(self.targets[0]))
  266.             binfo = self.targets[0].get_stored_info().binfo
  267.             self.display_cached_string(binfo)
  268.         elif dryrun:
  269.             raise ConfigureDryRunError(self.targets[0])
  270.         else:
  271.             # note stdout and stderr are the same here
  272.             s = sys.stdout = sys.stderr = Streamer(sys.stdout)
  273.             try:
  274.                 env = self.targets[0].get_build_env()
  275.                 env['PSTDOUT'] = env['PSTDERR'] = s
  276.                 try:
  277.                     sconf.cached = 0
  278.                     self.targets[0].build()
  279.                 finally:
  280.                     sys.stdout = sys.stderr = env['PSTDOUT'] = 
  281.                                  env['PSTDERR'] = sconf.logstream
  282.             except KeyboardInterrupt:
  283.                 raise
  284.             except SystemExit:
  285.                 exc_value = sys.exc_info()[1]
  286.                 raise SCons.Errors.ExplicitExit(self.targets[0],exc_value.code)
  287.             except Exception, e:
  288.                 for t in self.targets:
  289.                     binfo = t.get_binfo()
  290.                     binfo.__class__ = SConfBuildInfo
  291.                     binfo.set_build_result(1, s.getvalue())
  292.                     sconsign_entry = SCons.SConsign.SConsignEntry()
  293.                     sconsign_entry.binfo = binfo
  294.                     #sconsign_entry.ninfo = self.get_ninfo()
  295.                     # We'd like to do this as follows:
  296.                     #    t.store_info(binfo)
  297.                     # However, we need to store it as an SConfBuildInfo
  298.                     # object, and store_info() will turn it into a
  299.                     # regular FileNodeInfo if the target is itself a
  300.                     # regular File.
  301.                     sconsign = t.dir.sconsign()
  302.                     sconsign.set_entry(t.name, sconsign_entry)
  303.                     sconsign.merge()
  304.                 raise e
  305.             else:
  306.                 for t in self.targets:
  307.                     binfo = t.get_binfo()
  308.                     binfo.__class__ = SConfBuildInfo
  309.                     binfo.set_build_result(0, s.getvalue())
  310.                     sconsign_entry = SCons.SConsign.SConsignEntry()
  311.                     sconsign_entry.binfo = binfo
  312.                     #sconsign_entry.ninfo = self.get_ninfo()
  313.                     # We'd like to do this as follows:
  314.                     #    t.store_info(binfo)
  315.                     # However, we need to store it as an SConfBuildInfo
  316.                     # object, and store_info() will turn it into a
  317.                     # regular FileNodeInfo if the target is itself a
  318.                     # regular File.
  319.                     sconsign = t.dir.sconsign()
  320.                     sconsign.set_entry(t.name, sconsign_entry)
  321.                     sconsign.merge()
  322. class SConfBase:
  323.     """This is simply a class to represent a configure context. After
  324.     creating a SConf object, you can call any tests. After finished with your
  325.     tests, be sure to call the Finish() method, which returns the modified
  326.     environment.
  327.     Some words about caching: In most cases, it is not necessary to cache
  328.     Test results explicitely. Instead, we use the scons dependency checking
  329.     mechanism. For example, if one wants to compile a test program
  330.     (SConf.TryLink), the compiler is only called, if the program dependencies
  331.     have changed. However, if the program could not be compiled in a former
  332.     SConf run, we need to explicitely cache this error.
  333.     """
  334.     def __init__(self, env, custom_tests = {}, conf_dir='$CONFIGUREDIR',
  335.                  log_file='$CONFIGURELOG', config_h = None, _depth = 0): 
  336.         """Constructor. Pass additional tests in the custom_tests-dictinary,
  337.         e.g. custom_tests={'CheckPrivate':MyPrivateTest}, where MyPrivateTest
  338.         defines a custom test.
  339.         Note also the conf_dir and log_file arguments (you may want to
  340.         build tests in the VariantDir, not in the SourceDir)
  341.         """
  342.         global SConfFS
  343.         if not SConfFS:
  344.             SConfFS = SCons.Node.FS.default_fs or 
  345.                       SCons.Node.FS.FS(env.fs.pathTop)
  346.         if not sconf_global is None:
  347.             raise (SCons.Errors.UserError,
  348.                    "Only one SConf object may be active at one time")
  349.         self.env = env
  350.         if log_file != None:
  351.             log_file = SConfFS.File(env.subst(log_file))
  352.         self.logfile = log_file
  353.         self.logstream = None
  354.         self.lastTarget = None
  355.         self.depth = _depth
  356.         self.cached = 0 # will be set, if all test results are cached
  357.         # add default tests
  358.         default_tests = {
  359.                  'CheckFunc'          : CheckFunc,
  360.                  'CheckType'          : CheckType,
  361.                  'CheckTypeSize'      : CheckTypeSize,
  362.                  'CheckDeclaration'   : CheckDeclaration,
  363.                  'CheckHeader'        : CheckHeader,
  364.                  'CheckCHeader'       : CheckCHeader,
  365.                  'CheckCXXHeader'     : CheckCXXHeader,
  366.                  'CheckLib'           : CheckLib,
  367.                  'CheckLibWithHeader' : CheckLibWithHeader,
  368.                }
  369.         self.AddTests(default_tests)
  370.         self.AddTests(custom_tests)
  371.         self.confdir = SConfFS.Dir(env.subst(conf_dir))
  372.         if not config_h is None:
  373.             config_h = SConfFS.File(config_h)
  374.         self.config_h = config_h
  375.         self._startup()
  376.     def Finish(self):
  377.         """Call this method after finished with your tests:
  378.                 env = sconf.Finish()
  379.         """
  380.         self._shutdown()
  381.         return self.env
  382.     def Define(self, name, value = None, comment = None):
  383.         """
  384.         Define a pre processor symbol name, with the optional given value in the
  385.         current config header.
  386.         If value is None (default), then #define name is written. If value is not
  387.         none, then #define name value is written.
  388.         
  389.         comment is a string which will be put as a C comment in the
  390.         header, to explain the meaning of the value (appropriate C comments /* and
  391.         */ will be put automatically."""
  392.         lines = []
  393.         if comment:
  394.             comment_str = "/* %s */" % comment
  395.             lines.append(comment_str)
  396.         if value is not None:
  397.             define_str = "#define %s %s" % (name, value)
  398.         else:
  399.             define_str = "#define %s" % name
  400.         lines.append(define_str)
  401.         lines.append('')
  402.         self.config_h_text = self.config_h_text + string.join(lines, 'n')
  403.     def BuildNodes(self, nodes):
  404.         """
  405.         Tries to build the given nodes immediately. Returns 1 on success,
  406.         0 on error.
  407.         """
  408.         if self.logstream != None:
  409.             # override stdout / stderr to write in log file
  410.             oldStdout = sys.stdout
  411.             sys.stdout = self.logstream
  412.             oldStderr = sys.stderr
  413.             sys.stderr = self.logstream
  414.         # the engine assumes the current path is the SConstruct directory ...
  415.         old_fs_dir = SConfFS.getcwd()
  416.         old_os_dir = os.getcwd()
  417.         SConfFS.chdir(SConfFS.Top, change_os_dir=1)
  418.         # Because we take responsibility here for writing out our
  419.         # own .sconsign info (see SConfBuildTask.execute(), above),
  420.         # we override the store_info() method with a null place-holder
  421.         # so we really control how it gets written.
  422.         for n in nodes:
  423.             n.store_info = n.do_not_store_info
  424.         ret = 1
  425.         try:
  426.             # ToDo: use user options for calc
  427.             save_max_drift = SConfFS.get_max_drift()
  428.             SConfFS.set_max_drift(0)
  429.             tm = SCons.Taskmaster.Taskmaster(nodes, SConfBuildTask)
  430.             # we don't want to build tests in parallel
  431.             jobs = SCons.Job.Jobs(1, tm )
  432.             jobs.run()
  433.             for n in nodes:
  434.                 state = n.get_state()
  435.                 if (state != SCons.Node.executed and
  436.                     state != SCons.Node.up_to_date):
  437.                     # the node could not be built. we return 0 in this case
  438.                     ret = 0
  439.         finally:
  440.             SConfFS.set_max_drift(save_max_drift)
  441.             os.chdir(old_os_dir)
  442.             SConfFS.chdir(old_fs_dir, change_os_dir=0)
  443.             if self.logstream != None:
  444.                 # restore stdout / stderr
  445.                 sys.stdout = oldStdout
  446.                 sys.stderr = oldStderr
  447.         return ret
  448.     def pspawn_wrapper(self, sh, escape, cmd, args, env):
  449.         """Wrapper function for handling piped spawns.
  450.         This looks to the calling interface (in Action.py) like a "normal"
  451.         spawn, but associates the call with the PSPAWN variable from
  452.         the construction environment and with the streams to which we
  453.         want the output logged.  This gets slid into the construction
  454.         environment as the SPAWN variable so Action.py doesn't have to
  455.         know or care whether it's spawning a piped command or not.
  456.         """
  457.         return self.pspawn(sh, escape, cmd, args, env, self.logstream, self.logstream)
  458.     def TryBuild(self, builder, text = None, extension = ""):
  459.         """Low level TryBuild implementation. Normally you don't need to
  460.         call that - you can use TryCompile / TryLink / TryRun instead
  461.         """
  462.         global _ac_build_counter
  463.         # Make sure we have a PSPAWN value, and save the current
  464.         # SPAWN value.
  465.         try:
  466.             self.pspawn = self.env['PSPAWN']
  467.         except KeyError:
  468.             raise SCons.Errors.UserError('Missing PSPAWN construction variable.')
  469.         try:
  470.             save_spawn = self.env['SPAWN']
  471.         except KeyError:
  472.             raise SCons.Errors.UserError('Missing SPAWN construction variable.')
  473.         nodesToBeBuilt = []
  474.         f = "conftest_" + str(_ac_build_counter)
  475.         pref = self.env.subst( builder.builder.prefix )
  476.         suff = self.env.subst( builder.builder.suffix )
  477.         target = self.confdir.File(pref + f + suff)
  478.         try:
  479.             # Slide our wrapper into the construction environment as
  480.             # the SPAWN function.
  481.             self.env['SPAWN'] = self.pspawn_wrapper
  482.             sourcetext = self.env.Value(text)
  483.             if text != None:
  484.                 textFile = self.confdir.File(f + extension)
  485.                 textFileNode = self.env.SConfSourceBuilder(target=textFile,
  486.                                                            source=sourcetext)
  487.                 nodesToBeBuilt.extend(textFileNode)
  488.                 source = textFileNode
  489.             else:
  490.                 source = None
  491.             nodes = builder(target = target, source = source)
  492.             if not SCons.Util.is_List(nodes):
  493.                 nodes = [nodes]
  494.             nodesToBeBuilt.extend(nodes)
  495.             result = self.BuildNodes(nodesToBeBuilt)
  496.         finally:
  497.             self.env['SPAWN'] = save_spawn
  498.         _ac_build_counter = _ac_build_counter + 1
  499.         if result:
  500.             self.lastTarget = nodes[0]
  501.         else:
  502.             self.lastTarget = None
  503.         return result
  504.     def TryAction(self, action, text = None, extension = ""):
  505.         """Tries to execute the given action with optional source file
  506.         contents <text> and optional source file extension <extension>,
  507.         Returns the status (0 : failed, 1 : ok) and the contents of the
  508.         output file.
  509.         """
  510.         builder = SCons.Builder.Builder(action=action)
  511.         self.env.Append( BUILDERS = {'SConfActionBuilder' : builder} )
  512.         ok = self.TryBuild(self.env.SConfActionBuilder, text, extension)
  513.         del self.env['BUILDERS']['SConfActionBuilder']
  514.         if ok:
  515.             outputStr = self.lastTarget.get_contents()
  516.             return (1, outputStr)
  517.         return (0, "")
  518.     def TryCompile( self, text, extension):
  519.         """Compiles the program given in text to an env.Object, using extension
  520.         as file extension (e.g. '.c'). Returns 1, if compilation was
  521.         successful, 0 otherwise. The target is saved in self.lastTarget (for
  522.         further processing).
  523.         """
  524.         return self.TryBuild(self.env.Object, text, extension)
  525.     def TryLink( self, text, extension ):
  526.         """Compiles the program given in text to an executable env.Program,
  527.         using extension as file extension (e.g. '.c'). Returns 1, if
  528.         compilation was successful, 0 otherwise. The target is saved in
  529.         self.lastTarget (for further processing).
  530.         """
  531.         return self.TryBuild(self.env.Program, text, extension )
  532.     def TryRun(self, text, extension ):
  533.         """Compiles and runs the program given in text, using extension
  534.         as file extension (e.g. '.c'). Returns (1, outputStr) on success,
  535.         (0, '') otherwise. The target (a file containing the program's stdout)
  536.         is saved in self.lastTarget (for further processing).
  537.         """
  538.         ok = self.TryLink(text, extension)
  539.         if( ok ):
  540.             prog = self.lastTarget
  541.             pname = str(prog)
  542.             output = SConfFS.File(pname+'.out')
  543.             node = self.env.Command(output, prog, [ [ pname, ">", "${TARGET}"] ])
  544.             ok = self.BuildNodes(node)
  545.             if ok:
  546.                 outputStr = output.get_contents()
  547.                 return( 1, outputStr)
  548.         return (0, "")
  549.     class TestWrapper:
  550.         """A wrapper around Tests (to ensure sanity)"""
  551.         def __init__(self, test, sconf):
  552.             self.test = test
  553.             self.sconf = sconf
  554.         def __call__(self, *args, **kw):
  555.             if not self.sconf.active:
  556.                 raise (SCons.Errors.UserError,
  557.                        "Test called after sconf.Finish()")
  558.             context = CheckContext(self.sconf)
  559.             ret = apply(self.test, (context,) +  args, kw)
  560.             if not self.sconf.config_h is None:
  561.                 self.sconf.config_h_text = self.sconf.config_h_text + context.config_h
  562.             context.Result("error: no result")
  563.             return ret
  564.     def AddTest(self, test_name, test_instance):
  565.         """Adds test_class to this SConf instance. It can be called with
  566.         self.test_name(...)"""
  567.         setattr(self, test_name, SConfBase.TestWrapper(test_instance, self))
  568.     def AddTests(self, tests):
  569.         """Adds all the tests given in the tests dictionary to this SConf
  570.         instance
  571.         """
  572.         for name in tests.keys():
  573.             self.AddTest(name, tests[name])
  574.     def _createDir( self, node ):
  575.         dirName = str(node)
  576.         if dryrun:
  577.             if not os.path.isdir( dirName ):
  578.                 raise ConfigureDryRunError(dirName)
  579.         else:
  580.             if not os.path.isdir( dirName ):
  581.                 os.makedirs( dirName )
  582.                 node._exists = 1
  583.     def _startup(self):
  584.         """Private method. Set up logstream, and set the environment
  585.         variables necessary for a piped build
  586.         """
  587.         global _ac_config_logs
  588.         global sconf_global
  589.         global SConfFS
  590.         
  591.         self.lastEnvFs = self.env.fs
  592.         self.env.fs = SConfFS
  593.         self._createDir(self.confdir)
  594.         self.confdir.up().add_ignore( [self.confdir] )
  595.         if self.logfile != None and not dryrun:
  596.             # truncate logfile, if SConf.Configure is called for the first time
  597.             # in a build
  598.             if _ac_config_logs.has_key(self.logfile):
  599.                 log_mode = "a"
  600.             else:
  601.                 _ac_config_logs[self.logfile] = None
  602.                 log_mode = "w"
  603.             fp = open(str(self.logfile), log_mode)
  604.             self.logstream = SCons.Util.Unbuffered(fp)
  605.             # logfile may stay in a build directory, so we tell
  606.             # the build system not to override it with a eventually
  607.             # existing file with the same name in the source directory
  608.             self.logfile.dir.add_ignore( [self.logfile] )
  609.             tb = traceback.extract_stack()[-3-self.depth]
  610.             old_fs_dir = SConfFS.getcwd()
  611.             SConfFS.chdir(SConfFS.Top, change_os_dir=0)
  612.             self.logstream.write('file %s,line %d:ntConfigure(confdir = %s)n' %
  613.                                  (tb[0], tb[1], str(self.confdir)) )
  614.             SConfFS.chdir(old_fs_dir)
  615.         else: 
  616.             self.logstream = None
  617.         # we use a special builder to create source files from TEXT
  618.         action = SCons.Action.Action(_createSource,
  619.                                      _stringSource)
  620.         sconfSrcBld = SCons.Builder.Builder(action=action)
  621.         self.env.Append( BUILDERS={'SConfSourceBuilder':sconfSrcBld} )
  622.         self.config_h_text = _ac_config_hs.get(self.config_h, "")
  623.         self.active = 1
  624.         # only one SConf instance should be active at a time ...
  625.         sconf_global = self
  626.     def _shutdown(self):
  627.         """Private method. Reset to non-piped spawn"""
  628.         global sconf_global, _ac_config_hs
  629.         if not self.active:
  630.             raise SCons.Errors.UserError, "Finish may be called only once!"
  631.         if self.logstream != None and not dryrun:
  632.             self.logstream.write("n")
  633.             self.logstream.close()
  634.             self.logstream = None
  635.         # remove the SConfSourceBuilder from the environment
  636.         blds = self.env['BUILDERS']
  637.         del blds['SConfSourceBuilder']
  638.         self.env.Replace( BUILDERS=blds )
  639.         self.active = 0
  640.         sconf_global = None
  641.         if not self.config_h is None:
  642.             _ac_config_hs[self.config_h] = self.config_h_text
  643.         self.env.fs = self.lastEnvFs
  644. class CheckContext:
  645.     """Provides a context for configure tests. Defines how a test writes to the
  646.     screen and log file.
  647.     A typical test is just a callable with an instance of CheckContext as
  648.     first argument:
  649.     def CheckCustom(context, ...)
  650.     context.Message('Checking my weird test ... ')
  651.     ret = myWeirdTestFunction(...)
  652.     context.Result(ret)
  653.     Often, myWeirdTestFunction will be one of
  654.     context.TryCompile/context.TryLink/context.TryRun. The results of
  655.     those are cached, for they are only rebuild, if the dependencies have
  656.     changed.
  657.     """
  658.     def __init__(self, sconf):
  659.         """Constructor. Pass the corresponding SConf instance."""
  660.         self.sconf = sconf
  661.         self.did_show_result = 0
  662.         # for Conftest.py:
  663.         self.vardict = {}
  664.         self.havedict = {}
  665.         self.headerfilename = None
  666.         self.config_h = "" # config_h text will be stored here
  667.         # we don't regenerate the config.h file after each test. That means,
  668.         # that tests won't be able to include the config.h file, and so
  669.         # they can't do an #ifdef HAVE_XXX_H. This shouldn't be a major
  670.         # issue, though. If it turns out, that we need to include config.h
  671.         # in tests, we must ensure, that the dependencies are worked out
  672.         # correctly. Note that we can't use Conftest.py's support for config.h,
  673.         # cause we will need to specify a builder for the config.h file ...
  674.     def Message(self, text):
  675.         """Inform about what we are doing right now, e.g.
  676.         'Checking for SOMETHING ... '
  677.         """
  678.         self.Display(text)
  679.         self.sconf.cached = 1
  680.         self.did_show_result = 0
  681.     def Result(self, res):
  682.         """Inform about the result of the test. res may be an integer or a
  683.         string. In case of an integer, the written text will be 'ok' or
  684.         'failed'.
  685.         The result is only displayed when self.did_show_result is not set.
  686.         """
  687.         if type(res) in BooleanTypes:
  688.             if res:
  689.                 text = "yes"
  690.             else:
  691.                 text = "no"
  692.         elif type(res) == types.StringType:
  693.             text = res
  694.         else:
  695.             raise TypeError, "Expected string, int or bool, got " + str(type(res))
  696.         if self.did_show_result == 0:
  697.             # Didn't show result yet, do it now.
  698.             self.Display(text + "n")
  699.             self.did_show_result = 1
  700.     def TryBuild(self, *args, **kw):
  701.         return apply(self.sconf.TryBuild, args, kw)
  702.     def TryAction(self, *args, **kw):
  703.         return apply(self.sconf.TryAction, args, kw)
  704.     def TryCompile(self, *args, **kw):
  705.         return apply(self.sconf.TryCompile, args, kw)
  706.     def TryLink(self, *args, **kw):
  707.         return apply(self.sconf.TryLink, args, kw)
  708.     def TryRun(self, *args, **kw):
  709.         return apply(self.sconf.TryRun, args, kw)
  710.     def __getattr__( self, attr ):
  711.         if( attr == 'env' ):
  712.             return self.sconf.env
  713.         elif( attr == 'lastTarget' ):
  714.             return self.sconf.lastTarget
  715.         else:
  716.             raise AttributeError, "CheckContext instance has no attribute '%s'" % attr
  717.     #### Stuff used by Conftest.py (look there for explanations).
  718.     def BuildProg(self, text, ext):
  719.         self.sconf.cached = 1
  720.         # TODO: should use self.vardict for $CC, $CPPFLAGS, etc.
  721.         return not self.TryBuild(self.env.Program, text, ext)
  722.     def CompileProg(self, text, ext):
  723.         self.sconf.cached = 1
  724.         # TODO: should use self.vardict for $CC, $CPPFLAGS, etc.
  725.         return not self.TryBuild(self.env.Object, text, ext)
  726.     def RunProg(self, text, ext):
  727.         self.sconf.cached = 1
  728.         # TODO: should use self.vardict for $CC, $CPPFLAGS, etc.
  729.         st, out = self.TryRun(text, ext)
  730.         return not st, out
  731.     def AppendLIBS(self, lib_name_list):
  732.         oldLIBS = self.env.get( 'LIBS', [] )
  733.         self.env.Append(LIBS = lib_name_list)
  734.         return oldLIBS
  735.     def SetLIBS(self, val):
  736.         oldLIBS = self.env.get( 'LIBS', [] )
  737.         self.env.Replace(LIBS = val)
  738.         return oldLIBS
  739.     def Display(self, msg):
  740.         if self.sconf.cached:
  741.             # We assume that Display is called twice for each test here
  742.             # once for the Checking for ... message and once for the result.
  743.             # The self.sconf.cached flag can only be set between those calls
  744.             msg = "(cached) " + msg
  745.             self.sconf.cached = 0
  746.         progress_display(msg, append_newline=0)
  747.         self.Log("scons: Configure: " + msg + "n")
  748.     def Log(self, msg):
  749.         if self.sconf.logstream != None:
  750.             self.sconf.logstream.write(msg)
  751.     #### End of stuff used by Conftest.py.
  752. def SConf(*args, **kw):
  753.     if kw.get(build_type, True):
  754.         kw['_depth'] = kw.get('_depth', 0) + 1
  755.         for bt in build_types:
  756.             try:
  757.                 del kw[bt]
  758.             except KeyError:
  759.                 pass
  760.         return apply(SConfBase, args, kw)
  761.     else:
  762.         return SCons.Util.Null()
  763. def CheckFunc(context, function_name, header = None, language = None):
  764.     res = SCons.Conftest.CheckFunc(context, function_name, header = header, language = language)
  765.     context.did_show_result = 1
  766.     return not res
  767. def CheckType(context, type_name, includes = "", language = None):
  768.     res = SCons.Conftest.CheckType(context, type_name,
  769.                                         header = includes, language = language)
  770.     context.did_show_result = 1
  771.     return not res
  772. def CheckTypeSize(context, type_name, includes = "", language = None, expect = None):
  773.     res = SCons.Conftest.CheckTypeSize(context, type_name,
  774.                                        header = includes, language = language, 
  775.                                        expect = expect)
  776.     context.did_show_result = 1
  777.     return res
  778. def CheckDeclaration(context, declaration, includes = "", language = None):
  779.     res = SCons.Conftest.CheckDeclaration(context, declaration,
  780.                                           includes = includes, 
  781.                                           language = language)
  782.     context.did_show_result = 1
  783.     return not res
  784. def createIncludesFromHeaders(headers, leaveLast, include_quotes = '""'):
  785.     # used by CheckHeader and CheckLibWithHeader to produce C - #include
  786.     # statements from the specified header (list)
  787.     if not SCons.Util.is_List(headers):
  788.         headers = [headers]
  789.     l = []
  790.     if leaveLast:
  791.         lastHeader = headers[-1]
  792.         headers = headers[:-1]
  793.     else:
  794.         lastHeader = None
  795.     for s in headers:
  796.         l.append("#include %s%s%sn"
  797.                  % (include_quotes[0], s, include_quotes[1]))
  798.     return string.join(l, ''), lastHeader
  799. def CheckHeader(context, header, include_quotes = '<>', language = None):
  800.     """
  801.     A test for a C or C++ header file.
  802.     """
  803.     prog_prefix, hdr_to_check = 
  804.                  createIncludesFromHeaders(header, 1, include_quotes)
  805.     res = SCons.Conftest.CheckHeader(context, hdr_to_check, prog_prefix,
  806.                                      language = language,
  807.                                      include_quotes = include_quotes)
  808.     context.did_show_result = 1
  809.     return not res
  810. # Bram: Make this function obsolete?  CheckHeader() is more generic.
  811. def CheckCHeader(context, header, include_quotes = '""'):
  812.     """
  813.     A test for a C header file.
  814.     """
  815.     return CheckHeader(context, header, include_quotes, language = "C")
  816. # Bram: Make this function obsolete?  CheckHeader() is more generic.
  817. def CheckCXXHeader(context, header, include_quotes = '""'):
  818.     """
  819.     A test for a C++ header file.
  820.     """
  821.     return CheckHeader(context, header, include_quotes, language = "C++")
  822. def CheckLib(context, library = None, symbol = "main",
  823.              header = None, language = None, autoadd = 1):
  824.     """
  825.     A test for a library. See also CheckLibWithHeader.
  826.     Note that library may also be None to test whether the given symbol
  827.     compiles without flags.
  828.     """
  829.     if library == []:
  830.         library = [None]
  831.     if not SCons.Util.is_List(library):
  832.         library = [library]
  833.     
  834.     # ToDo: accept path for the library
  835.     res = SCons.Conftest.CheckLib(context, library, symbol, header = header,
  836.                                         language = language, autoadd = autoadd)
  837.     context.did_show_result = 1
  838.     return not res
  839. # XXX
  840. # Bram: Can only include one header and can't use #ifdef HAVE_HEADER_H.
  841. def CheckLibWithHeader(context, libs, header, language,
  842.                        call = None, autoadd = 1):
  843.     # ToDo: accept path for library. Support system header files.
  844.     """
  845.     Another (more sophisticated) test for a library.
  846.     Checks, if library and header is available for language (may be 'C'
  847.     or 'CXX'). Call maybe be a valid expression _with_ a trailing ';'.
  848.     As in CheckLib, we support library=None, to test if the call compiles
  849.     without extra link flags.
  850.     """
  851.     prog_prefix, dummy = 
  852.                  createIncludesFromHeaders(header, 0)
  853.     if libs == []:
  854.         libs = [None]
  855.     if not SCons.Util.is_List(libs):
  856.         libs = [libs]
  857.     res = SCons.Conftest.CheckLib(context, libs, None, prog_prefix,
  858.             call = call, language = language, autoadd = autoadd)
  859.     context.did_show_result = 1
  860.     return not res