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

外挂编程

开发平台:

Windows_Unix

  1. """SCons.Defaults
  2. Builders and other things for the local site.  Here's where we'll
  3. duplicate the functionality of autoconf until we move it into the
  4. installation procedure or use something like qmconf.
  5. The code that reads the registry to find MSVC components was borrowed
  6. from distutils.msvccompiler.
  7. """
  8. #
  9. # Copyright (c) 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008 The SCons Foundation
  10. #
  11. # Permission is hereby granted, free of charge, to any person obtaining
  12. # a copy of this software and associated documentation files (the
  13. # "Software"), to deal in the Software without restriction, including
  14. # without limitation the rights to use, copy, modify, merge, publish,
  15. # distribute, sublicense, and/or sell copies of the Software, and to
  16. # permit persons to whom the Software is furnished to do so, subject to
  17. # the following conditions:
  18. #
  19. # The above copyright notice and this permission notice shall be included
  20. # in all copies or substantial portions of the Software.
  21. #
  22. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY
  23. # KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
  24. # WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
  25. # NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
  26. # LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
  27. # OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
  28. # WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
  29. #
  30. __revision__ = "src/engine/SCons/Defaults.py 3057 2008/06/09 22:21:00 knight"
  31. import os
  32. import os.path
  33. import shutil
  34. import stat
  35. import string
  36. import time
  37. import types
  38. import sys
  39. import SCons.Action
  40. import SCons.Builder
  41. import SCons.CacheDir
  42. import SCons.Environment
  43. import SCons.PathList
  44. import SCons.Subst
  45. import SCons.Tool
  46. # A placeholder for a default Environment (for fetching source files
  47. # from source code management systems and the like).  This must be
  48. # initialized later, after the top-level directory is set by the calling
  49. # interface.
  50. _default_env = None
  51. # Lazily instantiate the default environment so the overhead of creating
  52. # it doesn't apply when it's not needed.
  53. def _fetch_DefaultEnvironment(*args, **kw):
  54.     """
  55.     Returns the already-created default construction environment.
  56.     """
  57.     global _default_env
  58.     return _default_env
  59. def DefaultEnvironment(*args, **kw):
  60.     """
  61.     Initial public entry point for creating the default construction
  62.     Environment.
  63.     After creating the environment, we overwrite our name
  64.     (DefaultEnvironment) with the _fetch_DefaultEnvironment() function,
  65.     which more efficiently returns the initialized default construction
  66.     environment without checking for its existence.
  67.     (This function still exists with its _default_check because someone
  68.     else (*cough* Script/__init__.py *cough*) may keep a reference
  69.     to this function.  So we can't use the fully functional idiom of
  70.     having the name originally be a something that *only* creates the
  71.     construction environment and then overwrites the name.)
  72.     """
  73.     global _default_env
  74.     if not _default_env:
  75.         import SCons.Util
  76.         _default_env = apply(SCons.Environment.Environment, args, kw)
  77.         if SCons.Util.md5:
  78.             _default_env.Decider('MD5')
  79.         else:
  80.             _default_env.Decider('timestamp-match')
  81.         global DefaultEnvironment
  82.         DefaultEnvironment = _fetch_DefaultEnvironment
  83.         _default_env._CacheDir_path = None
  84.     return _default_env
  85. # Emitters for setting the shared attribute on object files,
  86. # and an action for checking that all of the source files
  87. # going into a shared library are, in fact, shared.
  88. def StaticObjectEmitter(target, source, env):
  89.     for tgt in target:
  90.         tgt.attributes.shared = None
  91.     return (target, source)
  92. def SharedObjectEmitter(target, source, env):
  93.     for tgt in target:
  94.         tgt.attributes.shared = 1
  95.     return (target, source)
  96. def SharedFlagChecker(source, target, env):
  97.     same = env.subst('$STATIC_AND_SHARED_OBJECTS_ARE_THE_SAME')
  98.     if same == '0' or same == '' or same == 'False':
  99.         for src in source:
  100.             try:
  101.                 shared = src.attributes.shared
  102.             except AttributeError:
  103.                 shared = None
  104.             if not shared:
  105.                 raise SCons.Errors.UserError, "Source file: %s is static and is not compatible with shared target: %s" % (src, target[0])
  106. SharedCheck = SCons.Action.Action(SharedFlagChecker, None)
  107. # Some people were using these variable name before we made
  108. # SourceFileScanner part of the public interface.  Don't break their
  109. # SConscript files until we've given them some fair warning and a
  110. # transition period.
  111. CScan = SCons.Tool.CScanner
  112. DScan = SCons.Tool.DScanner
  113. LaTeXScan = SCons.Tool.LaTeXScanner
  114. ObjSourceScan = SCons.Tool.SourceFileScanner
  115. ProgScan = SCons.Tool.ProgramScanner
  116. # These aren't really tool scanners, so they don't quite belong with
  117. # the rest of those in Tool/__init__.py, but I'm not sure where else
  118. # they should go.  Leave them here for now.
  119. import SCons.Scanner.Dir
  120. DirScanner = SCons.Scanner.Dir.DirScanner()
  121. DirEntryScanner = SCons.Scanner.Dir.DirEntryScanner()
  122. # Actions for common languages.
  123. CAction = SCons.Action.Action("$CCCOM", "$CCCOMSTR")
  124. ShCAction = SCons.Action.Action("$SHCCCOM", "$SHCCCOMSTR")
  125. CXXAction = SCons.Action.Action("$CXXCOM", "$CXXCOMSTR")
  126. ShCXXAction = SCons.Action.Action("$SHCXXCOM", "$SHCXXCOMSTR")
  127. ASAction = SCons.Action.Action("$ASCOM", "$ASCOMSTR")
  128. ASPPAction = SCons.Action.Action("$ASPPCOM", "$ASPPCOMSTR")
  129. LinkAction = SCons.Action.Action("$LINKCOM", "$LINKCOMSTR")
  130. ShLinkAction = SCons.Action.Action("$SHLINKCOM", "$SHLINKCOMSTR")
  131. LdModuleLinkAction = SCons.Action.Action("$LDMODULECOM", "$LDMODULECOMSTR")
  132. # Common tasks that we allow users to perform in platform-independent
  133. # ways by creating ActionFactory instances.
  134. ActionFactory = SCons.Action.ActionFactory
  135. def get_paths_str(dest):
  136.     # If dest is a list, we need to manually call str() on each element
  137.     if SCons.Util.is_List(dest):
  138.         elem_strs = []
  139.         for element in dest:
  140.             elem_strs.append('"' + str(element) + '"')
  141.         return '[' + string.join(elem_strs, ', ') + ']'
  142.     else:
  143.         return '"' + str(dest) + '"'
  144. def chmod_func(dest, mode):
  145.     if not SCons.Util.is_List(dest):
  146.         dest = [dest]
  147.     for element in dest:
  148.         os.chmod(str(element), mode)
  149. def chmod_strfunc(dest, mode):
  150.     return 'Chmod(%s, 0%o)' % (get_paths_str(dest), mode)
  151. Chmod = ActionFactory(chmod_func, chmod_strfunc)
  152. def copy_func(dest, src):
  153.     if SCons.Util.is_List(src) and os.path.isdir(dest):
  154.         for file in src:
  155.             shutil.copy2(file, dest)
  156.         return 0
  157.     elif os.path.isfile(src):
  158.         return shutil.copy2(src, dest)
  159.     else:
  160.         return shutil.copytree(src, dest, 1)
  161. Copy = ActionFactory(copy_func,
  162.                      lambda dest, src: 'Copy("%s", "%s")' % (dest, src),
  163.                      convert=str)
  164. def delete_func(dest, must_exist=0):
  165.     if not SCons.Util.is_List(dest):
  166.         dest = [dest]
  167.     for entry in dest:
  168.         entry = str(entry)
  169.         if not must_exist and not os.path.exists(entry):
  170.             continue
  171.         if not os.path.exists(entry) or os.path.isfile(entry):
  172.             os.unlink(entry)
  173.             continue
  174.         else:
  175.             shutil.rmtree(entry, 1)
  176.             continue
  177. def delete_strfunc(dest, must_exist=0):
  178.     return 'Delete(%s)' % get_paths_str(dest)
  179. Delete = ActionFactory(delete_func, delete_strfunc)
  180. def mkdir_func(dest):
  181.     if not SCons.Util.is_List(dest):
  182.         dest = [dest]
  183.     for entry in dest:
  184.         os.makedirs(str(entry))
  185. Mkdir = ActionFactory(mkdir_func,
  186.                       lambda dir: 'Mkdir(%s)' % get_paths_str(dir))
  187. Move = ActionFactory(lambda dest, src: os.rename(src, dest),
  188.                      lambda dest, src: 'Move("%s", "%s")' % (dest, src),
  189.                      convert=str)
  190. def touch_func(dest):
  191.     if not SCons.Util.is_List(dest):
  192.         dest = [dest]
  193.     for file in dest:
  194.         file = str(file)
  195.         mtime = int(time.time())
  196.         if os.path.exists(file):
  197.             atime = os.path.getatime(file)
  198.         else:
  199.             open(file, 'w')
  200.             atime = mtime
  201.         os.utime(file, (atime, mtime))
  202. Touch = ActionFactory(touch_func,
  203.                       lambda file: 'Touch(%s)' % get_paths_str(file))
  204. # Internal utility functions
  205. def _concat(prefix, list, suffix, env, f=lambda x: x, target=None, source=None):
  206.     """
  207.     Creates a new list from 'list' by first interpolating each element
  208.     in the list using the 'env' dictionary and then calling f on the
  209.     list, and finally calling _concat_ixes to concatenate 'prefix' and
  210.     'suffix' onto each element of the list.
  211.     """
  212.     if not list:
  213.         return list
  214.     l = f(SCons.PathList.PathList(list).subst_path(env, target, source))
  215.     if not l is None:
  216.         list = l
  217.     return _concat_ixes(prefix, list, suffix, env)
  218. def _concat_ixes(prefix, list, suffix, env):
  219.     """
  220.     Creates a new list from 'list' by concatenating the 'prefix' and
  221.     'suffix' arguments onto each element of the list.  A trailing space
  222.     on 'prefix' or leading space on 'suffix' will cause them to be put
  223.     into separate list elements rather than being concatenated.
  224.     """
  225.     result = []
  226.     # ensure that prefix and suffix are strings
  227.     prefix = str(env.subst(prefix, SCons.Subst.SUBST_RAW))
  228.     suffix = str(env.subst(suffix, SCons.Subst.SUBST_RAW))
  229.     for x in list:
  230.         if isinstance(x, SCons.Node.FS.File):
  231.             result.append(x)
  232.             continue
  233.         x = str(x)
  234.         if x:
  235.             if prefix:
  236.                 if prefix[-1] == ' ':
  237.                     result.append(prefix[:-1])
  238.                 elif x[:len(prefix)] != prefix:
  239.                     x = prefix + x
  240.             result.append(x)
  241.             if suffix:
  242.                 if suffix[0] == ' ':
  243.                     result.append(suffix[1:])
  244.                 elif x[-len(suffix):] != suffix:
  245.                     result[-1] = result[-1]+suffix
  246.     return result
  247. def _stripixes(prefix, list, suffix, stripprefixes, stripsuffixes, env, c=None):
  248.     """
  249.     This is a wrapper around _concat()/_concat_ixes() that checks for the
  250.     existence of prefixes or suffixes on list elements and strips them
  251.     where it finds them.  This is used by tools (like the GNU linker)
  252.     that need to turn something like 'libfoo.a' into '-lfoo'.
  253.     """
  254.     
  255.     if not list:
  256.         return list
  257.     if not callable(c):
  258.         env_c = env['_concat']
  259.         if env_c != _concat and callable(env_c):
  260.             # There's a custom _concat() method in the construction
  261.             # environment, and we've allowed people to set that in
  262.             # the past (see test/custom-concat.py), so preserve the
  263.             # backwards compatibility.
  264.             c = env_c
  265.         else:
  266.             c = _concat_ixes
  267.     
  268.     stripprefixes = map(env.subst, SCons.Util.flatten(stripprefixes))
  269.     stripsuffixes = map(env.subst, SCons.Util.flatten(stripsuffixes))
  270.     stripped = []
  271.     for l in SCons.PathList.PathList(list).subst_path(env, None, None):
  272.         if isinstance(l, SCons.Node.FS.File):
  273.             stripped.append(l)
  274.             continue
  275.         if not SCons.Util.is_String(l):
  276.             l = str(l)
  277.         for stripprefix in stripprefixes:
  278.             lsp = len(stripprefix)
  279.             if l[:lsp] == stripprefix:
  280.                 l = l[lsp:]
  281.                 # Do not strip more than one prefix
  282.                 break
  283.         for stripsuffix in stripsuffixes:
  284.             lss = len(stripsuffix)
  285.             if l[-lss:] == stripsuffix:
  286.                 l = l[:-lss]
  287.                 # Do not strip more than one suffix
  288.                 break
  289.         stripped.append(l)
  290.     return c(prefix, stripped, suffix, env)
  291. def _defines(prefix, defs, suffix, env, c=_concat_ixes):
  292.     """A wrapper around _concat_ixes that turns a list or string
  293.     into a list of C preprocessor command-line definitions.
  294.     """
  295.     if SCons.Util.is_List(defs):
  296.         l = []
  297.         for d in defs:
  298.             if SCons.Util.is_List(d) or type(d) is types.TupleType:
  299.                 l.append(str(d[0]) + '=' + str(d[1]))
  300.             else:
  301.                 l.append(str(d))
  302.     elif SCons.Util.is_Dict(defs):
  303.         # The items in a dictionary are stored in random order, but
  304.         # if the order of the command-line options changes from
  305.         # invocation to invocation, then the signature of the command
  306.         # line will change and we'll get random unnecessary rebuilds.
  307.         # Consequently, we have to sort the keys to ensure a
  308.         # consistent order...
  309.         l = []
  310.         keys = defs.keys()
  311.         keys.sort()
  312.         for k in keys:
  313.             v = defs[k]
  314.             if v is None:
  315.                 l.append(str(k))
  316.             else:
  317.                 l.append(str(k) + '=' + str(v))
  318.     else:
  319.         l = [str(defs)]
  320.     return c(prefix, env.subst_path(l), suffix, env)
  321.     
  322. class NullCmdGenerator:
  323.     """This is a callable class that can be used in place of other
  324.     command generators if you don't want them to do anything.
  325.     The __call__ method for this class simply returns the thing
  326.     you instantiated it with.
  327.     Example usage:
  328.     env["DO_NOTHING"] = NullCmdGenerator
  329.     env["LINKCOM"] = "${DO_NOTHING('$LINK $SOURCES $TARGET')}"
  330.     """
  331.     def __init__(self, cmd):
  332.         self.cmd = cmd
  333.     def __call__(self, target, source, env, for_signature=None):
  334.         return self.cmd
  335. class Variable_Method_Caller:
  336.     """A class for finding a construction variable on the stack and
  337.     calling one of its methods.
  338.     We use this to support "construction variables" in our string
  339.     eval()s that actually stand in for methods--specifically, use
  340.     of "RDirs" in call to _concat that should actually execute the
  341.     "TARGET.RDirs" method.  (We used to support this by creating a little
  342.     "build dictionary" that mapped RDirs to the method, but this got in
  343.     the way of Memoizing construction environments, because we had to
  344.     create new environment objects to hold the variables.)
  345.     """
  346.     def __init__(self, variable, method):
  347.         self.variable = variable
  348.         self.method = method
  349.     def __call__(self, *args, **kw):
  350.         try: 1/0
  351.         except ZeroDivisionError: frame = sys.exc_info()[2].tb_frame
  352.         variable = self.variable
  353.         while frame:
  354.             if frame.f_locals.has_key(variable):
  355.                 v = frame.f_locals[variable]
  356.                 if v:
  357.                     method = getattr(v, self.method)
  358.                     return apply(method, args, kw)
  359.             frame = frame.f_back
  360.         return None
  361. ConstructionEnvironment = {
  362.     'BUILDERS'      : {},
  363.     'SCANNERS'      : [],
  364.     'CONFIGUREDIR'  : '#/.sconf_temp',
  365.     'CONFIGURELOG'  : '#/config.log',
  366.     'CPPSUFFIXES'   : SCons.Tool.CSuffixes,
  367.     'DSUFFIXES'     : SCons.Tool.DSuffixes,
  368.     'ENV'           : {},
  369.     'IDLSUFFIXES'   : SCons.Tool.IDLSuffixes,
  370.     'LATEXSUFFIXES' : SCons.Tool.LaTeXSuffixes,
  371.     '_concat'       : _concat,
  372.     '_defines'      : _defines,
  373.     '_stripixes'    : _stripixes,
  374.     '_LIBFLAGS'     : '${_concat(LIBLINKPREFIX, LIBS, LIBLINKSUFFIX, __env__)}',
  375.     '_LIBDIRFLAGS'  : '$( ${_concat(LIBDIRPREFIX, LIBPATH, LIBDIRSUFFIX, __env__, RDirs, TARGET, SOURCE)} $)',
  376.     '_CPPINCFLAGS'  : '$( ${_concat(INCPREFIX, CPPPATH, INCSUFFIX, __env__, RDirs, TARGET, SOURCE)} $)',
  377.     '_CPPDEFFLAGS'  : '${_defines(CPPDEFPREFIX, CPPDEFINES, CPPDEFSUFFIX, __env__)}',
  378.     'TEMPFILE'      : NullCmdGenerator,
  379.     'Dir'           : Variable_Method_Caller('TARGET', 'Dir'),
  380.     'Dirs'          : Variable_Method_Caller('TARGET', 'Dirs'),
  381.     'File'          : Variable_Method_Caller('TARGET', 'File'),
  382.     'RDirs'         : Variable_Method_Caller('TARGET', 'RDirs'),
  383. }