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

外挂编程

开发平台:

Windows_Unix

  1. """SCons.Tool.msvs
  2. Tool-specific initialization for Microsoft Visual Studio project files.
  3. There normally shouldn't be any need to import this module directly.
  4. It will usually be imported through the generic SCons.Tool.Tool()
  5. selection method.
  6. """
  7. #
  8. # Copyright (c) 2001, 2002, 2003, 2004, 2005, 2006, 2007, 2008 The SCons Foundation
  9. #
  10. # Permission is hereby granted, free of charge, to any person obtaining
  11. # a copy of this software and associated documentation files (the
  12. # "Software"), to deal in the Software without restriction, including
  13. # without limitation the rights to use, copy, modify, merge, publish,
  14. # distribute, sublicense, and/or sell copies of the Software, and to
  15. # permit persons to whom the Software is furnished to do so, subject to
  16. # the following conditions:
  17. #
  18. # The above copyright notice and this permission notice shall be included
  19. # in all copies or substantial portions of the Software.
  20. #
  21. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY
  22. # KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
  23. # WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
  24. # NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
  25. # LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
  26. # OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
  27. # WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
  28. #
  29. __revision__ = "src/engine/SCons/Tool/msvs.py 3057 2008/06/09 22:21:00 knight"
  30. import base64
  31. import md5
  32. import os.path
  33. import pickle
  34. import re
  35. import string
  36. import sys
  37. import SCons.Builder
  38. import SCons.Node.FS
  39. import SCons.Platform.win32
  40. import SCons.Script.SConscript
  41. import SCons.Util
  42. import SCons.Warnings
  43. ##############################################################################
  44. # Below here are the classes and functions for generation of
  45. # DSP/DSW/SLN/VCPROJ files.
  46. ##############################################################################
  47. def _hexdigest(s):
  48.     """Return a string as a string of hex characters.
  49.     """
  50.     # NOTE:  This routine is a method in the Python 2.0 interface
  51.     # of the native md5 module, but we want SCons to operate all
  52.     # the way back to at least Python 1.5.2, which doesn't have it.
  53.     h = string.hexdigits
  54.     r = ''
  55.     for c in s:
  56.         i = ord(c)
  57.         r = r + h[(i >> 4) & 0xF] + h[i & 0xF]
  58.     return r
  59. def xmlify(s):
  60.     s = string.replace(s, "&", "&") # do this first
  61.     s = string.replace(s, "'", "'")
  62.     s = string.replace(s, '"', """)
  63.     return s
  64. external_makefile_guid = '{8BC9CEB8-8B4A-11D0-8D11-00A0C91BC942}'
  65. def _generateGUID(slnfile, name):
  66.     """This generates a dummy GUID for the sln file to use.  It is
  67.     based on the MD5 signatures of the sln filename plus the name of
  68.     the project.  It basically just needs to be unique, and not
  69.     change with each invocation."""
  70.     solution = _hexdigest(md5.new(str(slnfile)+str(name)).digest()).upper()
  71.     # convert most of the signature to GUID form (discard the rest)
  72.     solution = "{" + solution[:8] + "-" + solution[8:12] + "-" + solution[12:16] + "-" + solution[16:20] + "-" + solution[20:32] + "}"
  73.     return solution
  74. version_re = re.compile(r'(d+.d+)(.*)')
  75. def msvs_parse_version(s):
  76.     """
  77.     Split a Visual Studio version, which may in fact be something like
  78.     '7.0Exp', into is version number (returned as a float) and trailing
  79.     "suite" portion.
  80.     """
  81.     num, suite = version_re.match(s).groups()
  82.     return float(num), suite
  83. # This is how we re-invoke SCons from inside MSVS Project files.
  84. # The problem is that we might have been invoked as either scons.bat
  85. # or scons.py.  If we were invoked directly as scons.py, then we could
  86. # use sys.argv[0] to find the SCons "executable," but that doesn't work
  87. # if we were invoked as scons.bat, which uses "python -c" to execute
  88. # things and ends up with "-c" as sys.argv[0].  Consequently, we have
  89. # the MSVS Project file invoke SCons the same way that scons.bat does,
  90. # which works regardless of how we were invoked.
  91. def getExecScriptMain(env, xml=None):
  92.     scons_home = env.get('SCONS_HOME')
  93.     if not scons_home and os.environ.has_key('SCONS_LIB_DIR'):
  94.         scons_home = os.environ['SCONS_LIB_DIR']
  95.     if scons_home:
  96.         exec_script_main = "from os.path import join; import sys; sys.path = [ r'%s' ] + sys.path; import SCons.Script; SCons.Script.main()" % scons_home
  97.     else:
  98.         version = SCons.__version__
  99.         exec_script_main = "from os.path import join; import sys; sys.path = [ join(sys.prefix, 'Lib', 'site-packages', 'scons-%(version)s'), join(sys.prefix, 'scons-%(version)s'), join(sys.prefix, 'Lib', 'site-packages', 'scons'), join(sys.prefix, 'scons') ] + sys.path; import SCons.Script; SCons.Script.main()" % locals()
  100.     if xml:
  101.         exec_script_main = xmlify(exec_script_main)
  102.     return exec_script_main
  103. # The string for the Python executable we tell the Project file to use
  104. # is either sys.executable or, if an external PYTHON_ROOT environment
  105. # variable exists, $(PYTHON)ROOT\python.exe (generalized a little to
  106. # pluck the actual executable name from sys.executable).
  107. try:
  108.     python_root = os.environ['PYTHON_ROOT']
  109. except KeyError:
  110.     python_executable = sys.executable
  111. else:
  112.     python_executable = os.path.join('$$(PYTHON_ROOT)',
  113.                                      os.path.split(sys.executable)[1])
  114. class Config:
  115.     pass
  116. def splitFully(path):
  117.     dir, base = os.path.split(path)
  118.     if dir and dir != '' and dir != path:
  119.         return splitFully(dir)+[base]
  120.     if base == '':
  121.         return []
  122.     return [base]
  123. def makeHierarchy(sources):
  124.     '''Break a list of files into a hierarchy; for each value, if it is a string,
  125.        then it is a file.  If it is a dictionary, it is a folder.  The string is
  126.        the original path of the file.'''
  127.     hierarchy = {}
  128.     for file in sources:
  129.         path = splitFully(file)
  130.         if len(path):
  131.             dict = hierarchy
  132.             for part in path[:-1]:
  133.                 if not dict.has_key(part):
  134.                     dict[part] = {}
  135.                 dict = dict[part]
  136.             dict[path[-1]] = file
  137.         #else:
  138.         #    print 'Warning: failed to decompose path for '+str(file)
  139.     return hierarchy
  140. class _DSPGenerator:
  141.     """ Base class for DSP generators """
  142.     srcargs = [
  143.         'srcs',
  144.         'incs',
  145.         'localincs',
  146.         'resources',
  147.         'misc']
  148.     def __init__(self, dspfile, source, env):
  149.         self.dspfile = str(dspfile)
  150.         try:
  151.             get_abspath = dspfile.get_abspath
  152.         except AttributeError:
  153.             self.dspabs = os.path.abspath(dspfile)
  154.         else:
  155.             self.dspabs = get_abspath()
  156.         if not env.has_key('variant'):
  157.             raise SCons.Errors.InternalError, 
  158.                   "You must specify a 'variant' argument (i.e. 'Debug' or " +
  159.                   "'Release') to create an MSVSProject."
  160.         elif SCons.Util.is_String(env['variant']):
  161.             variants = [env['variant']]
  162.         elif SCons.Util.is_List(env['variant']):
  163.             variants = env['variant']
  164.         if not env.has_key('buildtarget') or env['buildtarget'] == None:
  165.             buildtarget = ['']
  166.         elif SCons.Util.is_String(env['buildtarget']):
  167.             buildtarget = [env['buildtarget']]
  168.         elif SCons.Util.is_List(env['buildtarget']):
  169.             if len(env['buildtarget']) != len(variants):
  170.                 raise SCons.Errors.InternalError, 
  171.                     "Sizes of 'buildtarget' and 'variant' lists must be the same."
  172.             buildtarget = []
  173.             for bt in env['buildtarget']:
  174.                 if SCons.Util.is_String(bt):
  175.                     buildtarget.append(bt)
  176.                 else:
  177.                     buildtarget.append(bt.get_abspath())
  178.         else:
  179.             buildtarget = [env['buildtarget'].get_abspath()]
  180.         if len(buildtarget) == 1:
  181.             bt = buildtarget[0]
  182.             buildtarget = []
  183.             for _ in variants:
  184.                 buildtarget.append(bt)
  185.         if not env.has_key('outdir') or env['outdir'] == None:
  186.             outdir = ['']
  187.         elif SCons.Util.is_String(env['outdir']):
  188.             outdir = [env['outdir']]
  189.         elif SCons.Util.is_List(env['outdir']):
  190.             if len(env['outdir']) != len(variants):
  191.                 raise SCons.Errors.InternalError, 
  192.                     "Sizes of 'outdir' and 'variant' lists must be the same."
  193.             outdir = []
  194.             for s in env['outdir']:
  195.                 if SCons.Util.is_String(s):
  196.                     outdir.append(s)
  197.                 else:
  198.                     outdir.append(s.get_abspath())
  199.         else:
  200.             outdir = [env['outdir'].get_abspath()]
  201.         if len(outdir) == 1:
  202.             s = outdir[0]
  203.             outdir = []
  204.             for v in variants:
  205.                 outdir.append(s)
  206.         if not env.has_key('runfile') or env['runfile'] == None:
  207.             runfile = buildtarget[-1:]
  208.         elif SCons.Util.is_String(env['runfile']):
  209.             runfile = [env['runfile']]
  210.         elif SCons.Util.is_List(env['runfile']):
  211.             if len(env['runfile']) != len(variants):
  212.                 raise SCons.Errors.InternalError, 
  213.                     "Sizes of 'runfile' and 'variant' lists must be the same."
  214.             runfile = []
  215.             for s in env['runfile']:
  216.                 if SCons.Util.is_String(s):
  217.                     runfile.append(s)
  218.                 else:
  219.                     runfile.append(s.get_abspath())
  220.         else:
  221.             runfile = [env['runfile'].get_abspath()]
  222.         if len(runfile) == 1:
  223.             s = runfile[0]
  224.             runfile = []
  225.             for v in variants:
  226.                 runfile.append(s)
  227.         self.sconscript = env['MSVSSCONSCRIPT']
  228.         cmdargs = env.get('cmdargs', '')
  229.         self.env = env
  230.         if self.env.has_key('name'):
  231.             self.name = self.env['name']
  232.         else:
  233.             self.name = os.path.basename(SCons.Util.splitext(self.dspfile)[0])
  234.         self.name = self.env.subst(self.name)
  235.         sourcenames = [
  236.             'Source Files',
  237.             'Header Files',
  238.             'Local Headers',
  239.             'Resource Files',
  240.             'Other Files']
  241.         self.sources = {}
  242.         for n in sourcenames:
  243.             self.sources[n] = []
  244.         self.configs = {}
  245.         self.nokeep = 0
  246.         if env.has_key('nokeep') and env['variant'] != 0:
  247.             self.nokeep = 1
  248.         if self.nokeep == 0 and os.path.exists(self.dspabs):
  249.             self.Parse()
  250.         for t in zip(sourcenames,self.srcargs):
  251.             if self.env.has_key(t[1]):
  252.                 if SCons.Util.is_List(self.env[t[1]]):
  253.                     for i in self.env[t[1]]:
  254.                         if not i in self.sources[t[0]]:
  255.                             self.sources[t[0]].append(i)
  256.                 else:
  257.                     if not self.env[t[1]] in self.sources[t[0]]:
  258.                         self.sources[t[0]].append(self.env[t[1]])
  259.         for n in sourcenames:
  260.             self.sources[n].sort(lambda a, b: cmp(a.lower(), b.lower()))
  261.         def AddConfig(self, variant, buildtarget, outdir, runfile, cmdargs, dspfile=dspfile):
  262.             config = Config()
  263.             config.buildtarget = buildtarget
  264.             config.outdir = outdir
  265.             config.cmdargs = cmdargs
  266.             config.runfile = runfile
  267.             match = re.match('(.*)|(.*)', variant)
  268.             if match:
  269.                 config.variant = match.group(1)
  270.                 config.platform = match.group(2)
  271.             else:
  272.                 config.variant = variant
  273.                 config.platform = 'Win32'
  274.             self.configs[variant] = config
  275.             print "Adding '" + self.name + ' - ' + config.variant + '|' + config.platform + "' to '" + str(dspfile) + "'"
  276.         for i in range(len(variants)):
  277.             AddConfig(self, variants[i], buildtarget[i], outdir[i], runfile[i], cmdargs)
  278.         self.platforms = []
  279.         for key in self.configs.keys():
  280.             platform = self.configs[key].platform
  281.             if not platform in self.platforms:
  282.                 self.platforms.append(platform)
  283.     def Build(self):
  284.         pass
  285. V6DSPHeader = """
  286. # Microsoft Developer Studio Project File - Name="%(name)s" - Package Owner=<4>
  287. # Microsoft Developer Studio Generated Build File, Format Version 6.00
  288. # ** DO NOT EDIT **
  289. # TARGTYPE "Win32 (x86) External Target" 0x0106
  290. CFG=%(name)s - Win32 %(confkey)s
  291. !MESSAGE This is not a valid makefile. To build this project using NMAKE,
  292. !MESSAGE use the Export Makefile command and run
  293. !MESSAGE 
  294. !MESSAGE NMAKE /f "%(name)s.mak".
  295. !MESSAGE 
  296. !MESSAGE You can specify a configuration when running NMAKE
  297. !MESSAGE by defining the macro CFG on the command line. For example:
  298. !MESSAGE 
  299. !MESSAGE NMAKE /f "%(name)s.mak" CFG="%(name)s - Win32 %(confkey)s"
  300. !MESSAGE 
  301. !MESSAGE Possible choices for configuration are:
  302. !MESSAGE 
  303. """
  304. class _GenerateV6DSP(_DSPGenerator):
  305.     """Generates a Project file for MSVS 6.0"""
  306.     def PrintHeader(self):
  307.         # pick a default config
  308.         confkeys = self.configs.keys()
  309.         confkeys.sort()
  310.         name = self.name
  311.         confkey = confkeys[0]
  312.         self.file.write(V6DSPHeader % locals())
  313.         for kind in confkeys:
  314.             self.file.write('!MESSAGE "%s - Win32 %s" (based on "Win32 (x86) External Target")n' % (name, kind))
  315.         self.file.write('!MESSAGE nn')
  316.     def PrintProject(self):
  317.         name = self.name
  318.         self.file.write('# Begin Projectn'
  319.                         '# PROP AllowPerConfigDependencies 0n'
  320.                         '# PROP Scc_ProjName ""n'
  321.                         '# PROP Scc_LocalPath ""nn')
  322.         first = 1
  323.         confkeys = self.configs.keys()
  324.         confkeys.sort()
  325.         for kind in confkeys:
  326.             outdir = self.configs[kind].outdir
  327.             buildtarget = self.configs[kind].buildtarget
  328.             if first == 1:
  329.                 self.file.write('!IF  "$(CFG)" == "%s - Win32 %s"nn' % (name, kind))
  330.                 first = 0
  331.             else:
  332.                 self.file.write('n!ELSEIF  "$(CFG)" == "%s - Win32 %s"nn' % (name, kind))
  333.             env_has_buildtarget = self.env.has_key('MSVSBUILDTARGET')
  334.             if not env_has_buildtarget:
  335.                 self.env['MSVSBUILDTARGET'] = buildtarget
  336.             # have to write this twice, once with the BASE settings, and once without
  337.             for base in ("BASE ",""):
  338.                 self.file.write('# PROP %sUse_MFC 0n'
  339.                                 '# PROP %sUse_Debug_Libraries ' % (base, base))
  340.                 if kind.lower().find('debug') < 0:
  341.                     self.file.write('0n')
  342.                 else:
  343.                     self.file.write('1n')
  344.                 self.file.write('# PROP %sOutput_Dir "%s"n'
  345.                                 '# PROP %sIntermediate_Dir "%s"n' % (base,outdir,base,outdir))
  346.                 cmd = 'echo Starting SCons && ' + self.env.subst('$MSVSBUILDCOM', 1)
  347.                 self.file.write('# PROP %sCmd_Line "%s"n'
  348.                                 '# PROP %sRebuild_Opt "-c && %s"n'
  349.                                 '# PROP %sTarget_File "%s"n'
  350.                                 '# PROP %sBsc_Name ""n'
  351.                                 '# PROP %sTarget_Dir ""n'
  352.                                 %(base,cmd,base,cmd,base,buildtarget,base,base))
  353.             if not env_has_buildtarget:
  354.                 del self.env['MSVSBUILDTARGET']
  355.         self.file.write('n!ENDIFnn'
  356.                         '# Begin Targetnn')
  357.         for kind in confkeys:
  358.             self.file.write('# Name "%s - Win32 %s"n' % (name,kind))
  359.         self.file.write('n')
  360.         first = 0
  361.         for kind in confkeys:
  362.             if first == 0:
  363.                 self.file.write('!IF  "$(CFG)" == "%s - Win32 %s"nn' % (name,kind))
  364.                 first = 1
  365.             else:
  366.                 self.file.write('!ELSEIF  "$(CFG)" == "%s - Win32 %s"nn' % (name,kind))
  367.         self.file.write('!ENDIF nn')
  368.         self.PrintSourceFiles()
  369.         self.file.write('# End Targetn'
  370.                         '# End Projectn')
  371.         if self.nokeep == 0:
  372.             # now we pickle some data and add it to the file -- MSDEV will ignore it.
  373.             pdata = pickle.dumps(self.configs,1)
  374.             pdata = base64.encodestring(pdata)
  375.             self.file.write(pdata + 'n')
  376.             pdata = pickle.dumps(self.sources,1)
  377.             pdata = base64.encodestring(pdata)
  378.             self.file.write(pdata + 'n')
  379.     def PrintSourceFiles(self):
  380.         categories = {'Source Files': 'cpp|c|cxx|l|y|def|odl|idl|hpj|bat',
  381.                       'Header Files': 'h|hpp|hxx|hm|inl',
  382.                       'Local Headers': 'h|hpp|hxx|hm|inl',
  383.                       'Resource Files': 'r|rc|ico|cur|bmp|dlg|rc2|rct|bin|cnt|rtf|gif|jpg|jpeg|jpe',
  384.                       'Other Files': ''}
  385.         cats = categories.keys()
  386.         cats.sort(lambda a, b: cmp(a.lower(), b.lower()))
  387.         for kind in cats:
  388.             if not self.sources[kind]:
  389.                 continue # skip empty groups
  390.             self.file.write('# Begin Group "' + kind + '"nn')
  391.             typelist = categories[kind].replace('|',';')
  392.             self.file.write('# PROP Default_Filter "' + typelist + '"n')
  393.             for file in self.sources[kind]:
  394.                 file = os.path.normpath(file)
  395.                 self.file.write('# Begin Source Filenn'
  396.                                 'SOURCE="' + file + '"n'
  397.                                 '# End Source Filen')
  398.             self.file.write('# End Groupn')
  399.         # add the SConscript file outside of the groups
  400.         self.file.write('# Begin Source Filenn'
  401.                         'SOURCE="' + str(self.sconscript) + '"n'
  402.                         '# End Source Filen')
  403.     def Parse(self):
  404.         try:
  405.             dspfile = open(self.dspabs,'r')
  406.         except IOError:
  407.             return # doesn't exist yet, so can't add anything to configs.
  408.         line = dspfile.readline()
  409.         while line:
  410.             if line.find("# End Project") > -1:
  411.                 break
  412.             line = dspfile.readline()
  413.         line = dspfile.readline()
  414.         datas = line
  415.         while line and line != 'n':
  416.             line = dspfile.readline()
  417.             datas = datas + line
  418.         # OK, we've found our little pickled cache of data.
  419.         try:
  420.             datas = base64.decodestring(datas)
  421.             data = pickle.loads(datas)
  422.         except KeyboardInterrupt:
  423.             raise
  424.         except:
  425.             return # unable to unpickle any data for some reason
  426.         self.configs.update(data)
  427.         data = None
  428.         line = dspfile.readline()
  429.         datas = line
  430.         while line and line != 'n':
  431.             line = dspfile.readline()
  432.             datas = datas + line
  433.         # OK, we've found our little pickled cache of data.
  434.         # it has a "# " in front of it, so we strip that.
  435.         try:
  436.             datas = base64.decodestring(datas)
  437.             data = pickle.loads(datas)
  438.         except KeyboardInterrupt:
  439.             raise
  440.         except:
  441.             return # unable to unpickle any data for some reason
  442.         self.sources.update(data)
  443.     def Build(self):
  444.         try:
  445.             self.file = open(self.dspabs,'w')
  446.         except IOError, detail:
  447.             raise SCons.Errors.InternalError, 'Unable to open "' + self.dspabs + '" for writing:' + str(detail)
  448.         else:
  449.             self.PrintHeader()
  450.             self.PrintProject()
  451.             self.file.close()
  452. V7DSPHeader = """
  453. <?xml version="1.0" encoding = "%(encoding)s"?>
  454. <VisualStudioProject
  455. tProjectType="Visual C++"
  456. tVersion="%(versionstr)s"
  457. tName="%(name)s"
  458. %(scc_attrs)s
  459. tKeyword="MakeFileProj">
  460. """
  461. V7DSPConfiguration = """
  462. tt<Configuration
  463. tttName="%(variant)s|%(platform)s"
  464. tttOutputDirectory="%(outdir)s"
  465. tttIntermediateDirectory="%(outdir)s"
  466. tttConfigurationType="0"
  467. tttUseOfMFC="0"
  468. tttATLMinimizesCRunTimeLibraryUsage="FALSE">
  469. ttt<Tool
  470. ttttName="VCNMakeTool"
  471. ttttBuildCommandLine="%(buildcmd)s"
  472. ttttCleanCommandLine="%(cleancmd)s"
  473. ttttRebuildCommandLine="%(rebuildcmd)s"
  474. ttttOutput="%(runfile)s"/>
  475. tt</Configuration>
  476. """
  477. V8DSPHeader = """
  478. <?xml version="1.0" encoding="%(encoding)s"?>
  479. <VisualStudioProject
  480. tProjectType="Visual C++"
  481. tVersion="%(versionstr)s"
  482. tName="%(name)s"
  483. %(scc_attrs)s
  484. tRootNamespace="%(name)s"
  485. tKeyword="MakeFileProj">
  486. """
  487. V8DSPConfiguration = """
  488. tt<Configuration
  489. tttName="%(variant)s|Win32"
  490. tttConfigurationType="0"
  491. tttUseOfMFC="0"
  492. tttATLMinimizesCRunTimeLibraryUsage="false"
  493. ttt>
  494. ttt<Tool
  495. ttttName="VCNMakeTool"
  496. ttttBuildCommandLine="%(buildcmd)s"
  497. ttttReBuildCommandLine="%(rebuildcmd)s"
  498. ttttCleanCommandLine="%(cleancmd)s"
  499. ttttOutput="%(runfile)s"
  500. ttttPreprocessorDefinitions=""
  501. ttttIncludeSearchPath=""
  502. ttttForcedIncludes=""
  503. ttttAssemblySearchPath=""
  504. ttttForcedUsingAssemblies=""
  505. ttttCompileAsManaged=""
  506. ttt/>
  507. tt</Configuration>
  508. """
  509. class _GenerateV7DSP(_DSPGenerator):
  510.     """Generates a Project file for MSVS .NET"""
  511.     def __init__(self, dspfile, source, env):
  512.         _DSPGenerator.__init__(self, dspfile, source, env)
  513.         self.version = env['MSVS_VERSION']
  514.         self.version_num, self.suite = msvs_parse_version(self.version)
  515.         if self.version_num >= 8.0:
  516.             self.versionstr = '8.00'
  517.             self.dspheader = V8DSPHeader
  518.             self.dspconfiguration = V8DSPConfiguration
  519.         else:
  520.             if self.version_num >= 7.1:
  521.                 self.versionstr = '7.10'
  522.             else:
  523.                 self.versionstr = '7.00'
  524.             self.dspheader = V7DSPHeader
  525.             self.dspconfiguration = V7DSPConfiguration
  526.         self.file = None
  527.     def PrintHeader(self):
  528.         env = self.env
  529.         versionstr = self.versionstr
  530.         name = self.name
  531.         encoding = self.env.subst('$MSVSENCODING')
  532.         scc_provider = env.get('MSVS_SCC_PROVIDER', '')
  533.         scc_project_name = env.get('MSVS_SCC_PROJECT_NAME', '')
  534.         scc_aux_path = env.get('MSVS_SCC_AUX_PATH', '')
  535.         scc_local_path = env.get('MSVS_SCC_LOCAL_PATH', '')
  536.         project_guid = env.get('MSVS_PROJECT_GUID', '')
  537.         if self.version_num >= 8.0 and not project_guid:
  538.             project_guid = _generateGUID(self.dspfile, '')
  539.         if scc_provider != '':
  540.             scc_attrs = ('tProjectGUID="%s"n'
  541.                          'tSccProjectName="%s"n'
  542.                          'tSccAuxPath="%s"n'
  543.                          'tSccLocalPath="%s"n'
  544.                          'tSccProvider="%s"' % (project_guid, scc_project_name, scc_aux_path, scc_local_path, scc_provider))
  545.         else:
  546.             scc_attrs = ('tProjectGUID="%s"n'
  547.                          'tSccProjectName="%s"n'
  548.                          'tSccLocalPath="%s"' % (project_guid, scc_project_name, scc_local_path))
  549.         self.file.write(self.dspheader % locals())
  550.         self.file.write('t<Platforms>n')
  551.         for platform in self.platforms:
  552.             self.file.write(
  553.                         'tt<Platformn'
  554.                         'tttName="%s"/>n' % platform)
  555.         self.file.write('t</Platforms>n')
  556.         if self.version_num >= 8.0:
  557.             self.file.write('t<ToolFiles>n'
  558.                             't</ToolFiles>n')
  559.     def PrintProject(self):
  560.         self.file.write('t<Configurations>n')
  561.         confkeys = self.configs.keys()
  562.         confkeys.sort()
  563.         for kind in confkeys:
  564.             variant = self.configs[kind].variant
  565.             platform = self.configs[kind].platform
  566.             outdir = self.configs[kind].outdir
  567.             buildtarget = self.configs[kind].buildtarget
  568.             runfile     = self.configs[kind].runfile
  569.             cmdargs = self.configs[kind].cmdargs
  570.             env_has_buildtarget = self.env.has_key('MSVSBUILDTARGET')
  571.             if not env_has_buildtarget:
  572.                 self.env['MSVSBUILDTARGET'] = buildtarget
  573.             starting = 'echo Starting SCons && '
  574.             if cmdargs:
  575.                 cmdargs = ' ' + cmdargs
  576.             else:
  577.                 cmdargs = ''
  578.             buildcmd    = xmlify(starting + self.env.subst('$MSVSBUILDCOM', 1) + cmdargs)
  579.             rebuildcmd  = xmlify(starting + self.env.subst('$MSVSREBUILDCOM', 1) + cmdargs)
  580.             cleancmd    = xmlify(starting + self.env.subst('$MSVSCLEANCOM', 1) + cmdargs)
  581.             if not env_has_buildtarget:
  582.                 del self.env['MSVSBUILDTARGET']
  583.             self.file.write(self.dspconfiguration % locals())
  584.         self.file.write('t</Configurations>n')
  585.         if self.version_num >= 7.1:
  586.             self.file.write('t<References>n'
  587.                             't</References>n')
  588.         self.PrintSourceFiles()
  589.         self.file.write('</VisualStudioProject>n')
  590.         if self.nokeep == 0:
  591.             # now we pickle some data and add it to the file -- MSDEV will ignore it.
  592.             pdata = pickle.dumps(self.configs,1)
  593.             pdata = base64.encodestring(pdata)
  594.             self.file.write('<!-- SCons Data:n' + pdata + 'n')
  595.             pdata = pickle.dumps(self.sources,1)
  596.             pdata = base64.encodestring(pdata)
  597.             self.file.write(pdata + '-->n')
  598.     def printSources(self, hierarchy, commonprefix):
  599.         sorteditems = hierarchy.items()
  600.         sorteditems.sort(lambda a, b: cmp(a[0].lower(), b[0].lower()))
  601.         # First folders, then files
  602.         for key, value in sorteditems:
  603.             if SCons.Util.is_Dict(value):
  604.                 self.file.write('ttt<Filtern'
  605.                                 'ttttName="%s"n'
  606.                                 'ttttFilter="">n' % (key))
  607.                 self.printSources(value, commonprefix)
  608.                 self.file.write('ttt</Filter>n')
  609.         for key, value in sorteditems:
  610.             if SCons.Util.is_String(value):
  611.                 file = value
  612.                 if commonprefix:
  613.                     file = os.path.join(commonprefix, value)
  614.                 file = os.path.normpath(file)
  615.                 self.file.write('ttt<Filen'
  616.                                 'ttttRelativePath="%s">n'
  617.                                 'ttt</File>n' % (file))
  618.     def PrintSourceFiles(self):
  619.         categories = {'Source Files': 'cpp;c;cxx;l;y;def;odl;idl;hpj;bat',
  620.                       'Header Files': 'h;hpp;hxx;hm;inl',
  621.                       'Local Headers': 'h;hpp;hxx;hm;inl',
  622.                       'Resource Files': 'r;rc;ico;cur;bmp;dlg;rc2;rct;bin;cnt;rtf;gif;jpg;jpeg;jpe',
  623.                       'Other Files': ''}
  624.         self.file.write('t<Files>n')
  625.         cats = categories.keys()
  626.         cats.sort(lambda a, b: cmp(a.lower(), b.lower()))
  627.         cats = filter(lambda k, s=self: s.sources[k], cats)
  628.         for kind in cats:
  629.             if len(cats) > 1:
  630.                 self.file.write('tt<Filtern'
  631.                                 'tttName="%s"n'
  632.                                 'tttFilter="%s">n' % (kind, categories[kind]))
  633.             sources = self.sources[kind]
  634.             # First remove any common prefix
  635.             commonprefix = None
  636.             if len(sources) > 1:
  637.                 s = map(os.path.normpath, sources)
  638.                 # take the dirname because the prefix may include parts
  639.                 # of the filenames (e.g. if you have 'dirabcd' and
  640.                 # 'diracde' then the cp will be 'dira' )
  641.                 cp = os.path.dirname( os.path.commonprefix(s) )
  642.                 if cp and s[0][len(cp)] == os.sep:
  643.                     # +1 because the filename starts after the separator
  644.                     sources = map(lambda s, l=len(cp)+1: s[l:], sources)
  645.                     commonprefix = cp
  646.             elif len(sources) == 1:
  647.                 commonprefix = os.path.dirname( sources[0] )
  648.                 sources[0] = os.path.basename( sources[0] )
  649.             hierarchy = makeHierarchy(sources)
  650.             self.printSources(hierarchy, commonprefix=commonprefix)
  651.             if len(cats)>1:
  652.                 self.file.write('tt</Filter>n')
  653.         # add the SConscript file outside of the groups
  654.         self.file.write('tt<Filen'
  655.                         'tttRelativePath="%s">n'
  656.                         'tt</File>n' % str(self.sconscript))
  657.         self.file.write('t</Files>n'
  658.                         't<Globals>n'
  659.                         't</Globals>n')
  660.     def Parse(self):
  661.         try:
  662.             dspfile = open(self.dspabs,'r')
  663.         except IOError:
  664.             return # doesn't exist yet, so can't add anything to configs.
  665.         line = dspfile.readline()
  666.         while line:
  667.             if line.find('<!-- SCons Data:') > -1:
  668.                 break
  669.             line = dspfile.readline()
  670.         line = dspfile.readline()
  671.         datas = line
  672.         while line and line != 'n':
  673.             line = dspfile.readline()
  674.             datas = datas + line
  675.         # OK, we've found our little pickled cache of data.
  676.         try:
  677.             datas = base64.decodestring(datas)
  678.             data = pickle.loads(datas)
  679.         except KeyboardInterrupt:
  680.             raise
  681.         except:
  682.             return # unable to unpickle any data for some reason
  683.         self.configs.update(data)
  684.         data = None
  685.         line = dspfile.readline()
  686.         datas = line
  687.         while line and line != 'n':
  688.             line = dspfile.readline()
  689.             datas = datas + line
  690.         # OK, we've found our little pickled cache of data.
  691.         try:
  692.             datas = base64.decodestring(datas)
  693.             data = pickle.loads(datas)
  694.         except KeyboardInterrupt:
  695.             raise
  696.         except:
  697.             return # unable to unpickle any data for some reason
  698.         self.sources.update(data)
  699.     def Build(self):
  700.         try:
  701.             self.file = open(self.dspabs,'w')
  702.         except IOError, detail:
  703.             raise SCons.Errors.InternalError, 'Unable to open "' + self.dspabs + '" for writing:' + str(detail)
  704.         else:
  705.             self.PrintHeader()
  706.             self.PrintProject()
  707.             self.file.close()
  708. class _DSWGenerator:
  709.     """ Base class for DSW generators """
  710.     def __init__(self, dswfile, source, env):
  711.         self.dswfile = os.path.normpath(str(dswfile))
  712.         self.env = env
  713.         if not env.has_key('projects'):
  714.             raise SCons.Errors.UserError, 
  715.                 "You must specify a 'projects' argument to create an MSVSSolution."
  716.         projects = env['projects']
  717.         if not SCons.Util.is_List(projects):
  718.             raise SCons.Errors.InternalError, 
  719.                 "The 'projects' argument must be a list of nodes."
  720.         projects = SCons.Util.flatten(projects)
  721.         if len(projects) < 1:
  722.             raise SCons.Errors.UserError, 
  723.                 "You must specify at least one project to create an MSVSSolution."
  724.         self.dspfiles = map(str, projects)
  725.         if self.env.has_key('name'):
  726.             self.name = self.env['name']
  727.         else:
  728.             self.name = os.path.basename(SCons.Util.splitext(self.dswfile)[0])
  729.         self.name = self.env.subst(self.name)
  730.     def Build(self):
  731.         pass
  732. class _GenerateV7DSW(_DSWGenerator):
  733.     """Generates a Solution file for MSVS .NET"""
  734.     def __init__(self, dswfile, source, env):
  735.         _DSWGenerator.__init__(self, dswfile, source, env)
  736.         self.file = None
  737.         self.version = self.env['MSVS_VERSION']
  738.         self.version_num, self.suite = msvs_parse_version(self.version)
  739.         self.versionstr = '7.00'
  740.         if self.version_num >= 8.0:
  741.             self.versionstr = '9.00'
  742.         elif self.version_num >= 7.1:
  743.             self.versionstr = '8.00'
  744.         if self.version_num >= 8.0:
  745.             self.versionstr = '9.00'
  746.         if env.has_key('slnguid') and env['slnguid']:
  747.             self.slnguid = env['slnguid']
  748.         else:
  749.             self.slnguid = _generateGUID(dswfile, self.name)
  750.         self.configs = {}
  751.         self.nokeep = 0
  752.         if env.has_key('nokeep') and env['variant'] != 0:
  753.             self.nokeep = 1
  754.         if self.nokeep == 0 and os.path.exists(self.dswfile):
  755.             self.Parse()
  756.         def AddConfig(self, variant, dswfile=dswfile):
  757.             config = Config()
  758.             match = re.match('(.*)|(.*)', variant)
  759.             if match:
  760.                 config.variant = match.group(1)
  761.                 config.platform = match.group(2)
  762.             else:
  763.                 config.variant = variant
  764.                 config.platform = 'Win32'
  765.             self.configs[variant] = config
  766.             print "Adding '" + self.name + ' - ' + config.variant + '|' + config.platform + "' to '" + str(dswfile) + "'"
  767.         if not env.has_key('variant'):
  768.             raise SCons.Errors.InternalError, 
  769.                   "You must specify a 'variant' argument (i.e. 'Debug' or " +
  770.                   "'Release') to create an MSVS Solution File."
  771.         elif SCons.Util.is_String(env['variant']):
  772.             AddConfig(self, env['variant'])
  773.         elif SCons.Util.is_List(env['variant']):
  774.             for variant in env['variant']:
  775.                 AddConfig(self, variant)
  776.         self.platforms = []
  777.         for key in self.configs.keys():
  778.             platform = self.configs[key].platform
  779.             if not platform in self.platforms:
  780.                 self.platforms.append(platform)
  781.     def Parse(self):
  782.         try:
  783.             dswfile = open(self.dswfile,'r')
  784.         except IOError:
  785.             return # doesn't exist yet, so can't add anything to configs.
  786.         line = dswfile.readline()
  787.         while line:
  788.             if line[:9] == "EndGlobal":
  789.                 break
  790.             line = dswfile.readline()
  791.         line = dswfile.readline()
  792.         datas = line
  793.         while line:
  794.             line = dswfile.readline()
  795.             datas = datas + line
  796.         # OK, we've found our little pickled cache of data.
  797.         try:
  798.             datas = base64.decodestring(datas)
  799.             data = pickle.loads(datas)
  800.         except KeyboardInterrupt:
  801.             raise
  802.         except:
  803.             return # unable to unpickle any data for some reason
  804.         self.configs.update(data)
  805.     def PrintSolution(self):
  806.         """Writes a solution file"""
  807.         self.file.write('Microsoft Visual Studio Solution File, Format Version %sn' % self.versionstr )
  808.         if self.version_num >= 8.0:
  809.             self.file.write('# Visual Studio 2005n')
  810.         for p in self.dspfiles:
  811.             name = os.path.basename(p)
  812.             base, suffix = SCons.Util.splitext(name)
  813.             if suffix == '.vcproj':
  814.                 name = base
  815.             guid = _generateGUID(p, '')
  816.             self.file.write('Project("%s") = "%s", "%s", "%s"n'
  817.                             % ( external_makefile_guid, name, p, guid ) )
  818.             if self.version_num >= 7.1 and self.version_num < 8.0:
  819.                 self.file.write('tProjectSection(ProjectDependencies) = postProjectn'
  820.                                 'tEndProjectSectionn')
  821.             self.file.write('EndProjectn')
  822.         self.file.write('Globaln')
  823.         env = self.env
  824.         if env.has_key('MSVS_SCC_PROVIDER'):
  825.             dspfile_base = os.path.basename(self.dspfile)
  826.             slnguid = self.slnguid
  827.             scc_provider = env.get('MSVS_SCC_PROVIDER', '')
  828.             scc_provider = string.replace(scc_provider, ' ', r'u0020')
  829.             scc_project_name = env.get('MSVS_SCC_PROJECT_NAME', '')
  830.             # scc_aux_path = env.get('MSVS_SCC_AUX_PATH', '')
  831.             scc_local_path = env.get('MSVS_SCC_LOCAL_PATH', '')
  832.             scc_project_base_path = env.get('MSVS_SCC_PROJECT_BASE_PATH', '')
  833.             # project_guid = env.get('MSVS_PROJECT_GUID', '')
  834.             self.file.write('tGlobalSection(SourceCodeControl) = preSolutionn'
  835.                             'ttSccNumberOfProjects = 2n'
  836.                             'ttSccProjectUniqueName0 = %(dspfile_base)sn'
  837.                             'ttSccLocalPath0 = %(scc_local_path)sn'
  838.                             'ttCanCheckoutShared = truen'
  839.                             'ttSccProjectFilePathRelativizedFromConnection0 = %(scc_project_base_path)sn'
  840.                             'ttSccProjectName1 = %(scc_project_name)sn'
  841.                             'ttSccLocalPath1 = %(scc_local_path)sn'
  842.                             'ttSccProvider1 = %(scc_provider)sn'
  843.                             'ttCanCheckoutShared = truen'
  844.                             'ttSccProjectFilePathRelativizedFromConnection1 = %(scc_project_base_path)sn'
  845.                             'ttSolutionUniqueID = %(slnguid)sn'
  846.                             'tEndGlobalSectionn' % locals())
  847.         if self.version_num >= 8.0:
  848.             self.file.write('tGlobalSection(SolutionConfigurationPlatforms) = preSolutionn')
  849.         else:
  850.             self.file.write('tGlobalSection(SolutionConfiguration) = preSolutionn')
  851.         confkeys = self.configs.keys()
  852.         confkeys.sort()
  853.         cnt = 0
  854.         for name in confkeys:
  855.             variant = self.configs[name].variant
  856.             platform = self.configs[name].platform
  857.             if self.version_num >= 8.0:
  858.                 self.file.write('tt%s|%s = %s|%sn' % (variant, platform, variant, platform))
  859.             else:
  860.                 self.file.write('ttConfigName.%d = %sn' % (cnt, variant))
  861.             cnt = cnt + 1
  862.         self.file.write('tEndGlobalSectionn')
  863.         if self.version_num < 7.1:
  864.             self.file.write('tGlobalSection(ProjectDependencies) = postSolutionn'
  865.                             'tEndGlobalSectionn')
  866.         if self.version_num >= 8.0:
  867.             self.file.write('tGlobalSection(ProjectConfigurationPlatforms) = postSolutionn')
  868.         else:
  869.             self.file.write('tGlobalSection(ProjectConfiguration) = postSolutionn')
  870.         for name in confkeys:
  871.             variant = self.configs[name].variant
  872.             platform = self.configs[name].platform
  873.             if self.version_num >= 8.0:
  874.                 for p in self.dspfiles:
  875.                     guid = _generateGUID(p, '')
  876.                     self.file.write('tt%s.%s|%s.ActiveCfg = %s|%sn'
  877.                                     'tt%s.%s|%s.Build.0 = %s|%sn'  % (guid,variant,platform,variant,platform,guid,variant,platform,variant,platform))
  878.             else:
  879.                 for p in self.dspfiles:
  880.                     guid = _generateGUID(p, '')
  881.                     self.file.write('tt%s.%s.ActiveCfg = %s|%sn'
  882.                                     'tt%s.%s.Build.0 = %s|%sn'  %(guid,variant,variant,platform,guid,variant,variant,platform))
  883.         self.file.write('tEndGlobalSectionn')
  884.         if self.version_num >= 8.0:
  885.             self.file.write('tGlobalSection(SolutionProperties) = preSolutionn'
  886.                             'ttHideSolutionNode = FALSEn'
  887.                             'tEndGlobalSectionn')
  888.         else:
  889.             self.file.write('tGlobalSection(ExtensibilityGlobals) = postSolutionn'
  890.                             'tEndGlobalSectionn'
  891.                             'tGlobalSection(ExtensibilityAddIns) = postSolutionn'
  892.                             'tEndGlobalSectionn')
  893.         self.file.write('EndGlobaln')
  894.         if self.nokeep == 0:
  895.             pdata = pickle.dumps(self.configs,1)
  896.             pdata = base64.encodestring(pdata)
  897.             self.file.write(pdata + 'n')
  898.     def Build(self):
  899.         try:
  900.             self.file = open(self.dswfile,'w')
  901.         except IOError, detail:
  902.             raise SCons.Errors.InternalError, 'Unable to open "' + self.dswfile + '" for writing:' + str(detail)
  903.         else:
  904.             self.PrintSolution()
  905.             self.file.close()
  906. V6DSWHeader = """
  907. Microsoft Developer Studio Workspace File, Format Version 6.00
  908. # WARNING: DO NOT EDIT OR DELETE THIS WORKSPACE FILE!
  909. ###############################################################################
  910. Project: "%(name)s"="%(dspfile)s" - Package Owner=<4>
  911. Package=<5>
  912. {{{
  913. }}}
  914. Package=<4>
  915. {{{
  916. }}}
  917. ###############################################################################
  918. Global:
  919. Package=<5>
  920. {{{
  921. }}}
  922. Package=<3>
  923. {{{
  924. }}}
  925. ###############################################################################
  926. """
  927. class _GenerateV6DSW(_DSWGenerator):
  928.     """Generates a Workspace file for MSVS 6.0"""
  929.     def PrintWorkspace(self):
  930.         """ writes a DSW file """
  931.         name = self.name
  932.         dspfile = self.dspfiles[0]
  933.         self.file.write(V6DSWHeader % locals())
  934.     def Build(self):
  935.         try:
  936.             self.file = open(self.dswfile,'w')
  937.         except IOError, detail:
  938.             raise SCons.Errors.InternalError, 'Unable to open "' + self.dswfile + '" for writing:' + str(detail)
  939.         else:
  940.             self.PrintWorkspace()
  941.             self.file.close()
  942. def GenerateDSP(dspfile, source, env):
  943.     """Generates a Project file based on the version of MSVS that is being used"""
  944.     version_num = 6.0
  945.     if env.has_key('MSVS_VERSION'):
  946.         version_num, suite = msvs_parse_version(env['MSVS_VERSION'])
  947.     if version_num >= 7.0:
  948.         g = _GenerateV7DSP(dspfile, source, env)
  949.         g.Build()
  950.     else:
  951.         g = _GenerateV6DSP(dspfile, source, env)
  952.         g.Build()
  953. def GenerateDSW(dswfile, source, env):
  954.     """Generates a Solution/Workspace file based on the version of MSVS that is being used"""
  955.     version_num = 6.0
  956.     if env.has_key('MSVS_VERSION'):
  957.         version_num, suite = msvs_parse_version(env['MSVS_VERSION'])
  958.     if version_num >= 7.0:
  959.         g = _GenerateV7DSW(dswfile, source, env)
  960.         g.Build()
  961.     else:
  962.         g = _GenerateV6DSW(dswfile, source, env)
  963.         g.Build()
  964. ##############################################################################
  965. # Above here are the classes and functions for generation of
  966. # DSP/DSW/SLN/VCPROJ files.
  967. ##############################################################################
  968. def get_default_visualstudio_version(env):
  969.     """Returns the version set in the env, or the latest version
  970.     installed, if it can find it, or '6.0' if all else fails.  Also
  971.     updates the environment with what it found."""
  972.     versions = ['6.0']
  973.     if not env.has_key('MSVS') or not SCons.Util.is_Dict(env['MSVS']):
  974.         v = get_visualstudio_versions()
  975.         if v:
  976.             versions = v
  977.         env['MSVS'] = {'VERSIONS' : versions}
  978.     else:
  979.         versions = env['MSVS'].get('VERSIONS', versions)
  980.     if not env.has_key('MSVS_VERSION'):
  981.         env['MSVS_VERSION'] = versions[0] #use highest version by default
  982.     env['MSVS']['VERSION'] = env['MSVS_VERSION']
  983.     return env['MSVS_VERSION']
  984. def get_visualstudio_versions():
  985.     """
  986.     Get list of visualstudio versions from the Windows registry.
  987.     Returns a list of strings containing version numbers.  An empty list
  988.     is returned if we were unable to accees the register (for example,
  989.     we couldn't import the registry-access module) or the appropriate
  990.     registry keys weren't found.
  991.     """
  992.     if not SCons.Util.can_read_reg:
  993.         return []
  994.     HLM = SCons.Util.HKEY_LOCAL_MACHINE
  995.     KEYS = {
  996.         r'SoftwareMicrosoftVisualStudio'      : '',
  997.         r'SoftwareMicrosoftVCExpress'         : 'Exp',
  998.     }
  999.     L = []
  1000.     for K, suite_suffix in KEYS.items():
  1001.         try:
  1002.             k = SCons.Util.RegOpenKeyEx(HLM, K)
  1003.             i = 0
  1004.             while 1:
  1005.                 try:
  1006.                     p = SCons.Util.RegEnumKey(k,i)
  1007.                 except SCons.Util.RegError:
  1008.                     break
  1009.                 i = i + 1
  1010.                 if not p[0] in '123456789' or p in L:
  1011.                     continue
  1012.                 # Only add this version number if there is a valid
  1013.                 # registry structure (includes the "Setup" key),
  1014.                 # and at least some of the correct directories
  1015.                 # exist.  Sometimes VS uninstall leaves around
  1016.                 # some registry/filesystem turds that we don't
  1017.                 # want to trip over.  Also, some valid registry
  1018.                 # entries are MSDN entries, not MSVS ('7.1',
  1019.                 # notably), and we want to skip those too.
  1020.                 try:
  1021.                     SCons.Util.RegOpenKeyEx(HLM, K + '\' + p + '\Setup')
  1022.                 except SCons.Util.RegError:
  1023.                     continue
  1024.                 id = []
  1025.                 idk = SCons.Util.RegOpenKeyEx(HLM, K + '\' + p)
  1026.                 # This is not always here -- it only exists if the
  1027.                 # user installed into a non-standard location (at
  1028.                 # least in VS6 it works that way -- VS7 seems to
  1029.                 # always write it)
  1030.                 try:
  1031.                     id = SCons.Util.RegQueryValueEx(idk, 'InstallDir')
  1032.                 except SCons.Util.RegError:
  1033.                     pass
  1034.                 # If the InstallDir key doesn't exist,
  1035.                 # then we check the default locations.
  1036.                 # Note: The IDE's executable is not devenv.exe for VS8 Express.
  1037.                 if not id or not id[0]:
  1038.                     files_dir = SCons.Platform.win32.get_program_files_dir()
  1039.                     version_num, suite = msvs_parse_version(p)
  1040.                     if version_num < 7.0:
  1041.                         vs = r'Microsoft Visual StudioCommonMSDev98'
  1042.                     elif version_num < 8.0:
  1043.                         vs = r'Microsoft Visual Studio .NETCommon7IDE'
  1044.                     else:
  1045.                         vs = r'Microsoft Visual Studio 8Common7IDE'
  1046.                     id = [ os.path.join(files_dir, vs) ]
  1047.                 if os.path.exists(id[0]):
  1048.                     L.append(p + suite_suffix)
  1049.         except SCons.Util.RegError:
  1050.             pass
  1051.     if not L:
  1052.         return []
  1053.     # This is a hack to get around the fact that certain Visual Studio
  1054.     # patches place a "6.1" version in the registry, which does not have
  1055.     # any of the keys we need to find include paths, install directories,
  1056.     # etc.  Therefore we ignore it if it is there, since it throws all
  1057.     # other logic off.
  1058.     try:
  1059.         L.remove("6.1")
  1060.     except ValueError:
  1061.         pass
  1062.     L.sort()
  1063.     L.reverse()
  1064.     return L
  1065. def get_default_visualstudio8_suite(env):
  1066.     """
  1067.     Returns the Visual Studio 2005 suite identifier set in the env, or the
  1068.     highest suite installed.
  1069.     """
  1070.     if not env.has_key('MSVS') or not SCons.Util.is_Dict(env['MSVS']):
  1071.         env['MSVS'] = {}
  1072.     if env.has_key('MSVS_SUITE'):
  1073.         suite = env['MSVS_SUITE'].upper()
  1074.         suites = [suite]
  1075.     else:
  1076.         suite = 'EXPRESS'
  1077.         suites = [suite]
  1078.         if SCons.Util.can_read_reg:
  1079.             suites = get_visualstudio8_suites()
  1080.             if suites:
  1081.                 suite = suites[0] #use best suite by default
  1082.     env['MSVS_SUITE'] = suite
  1083.     env['MSVS']['SUITES'] = suites
  1084.     env['MSVS']['SUITE'] = suite
  1085.     return suite
  1086. def get_visualstudio8_suites():
  1087.     """
  1088.     Returns a sorted list of all installed Visual Studio 2005 suites found
  1089.     in the registry. The highest version should be the first entry in the list.
  1090.     """
  1091.     suites = []
  1092.     # Detect Standard, Professional and Team edition
  1093.     try:
  1094.         idk = SCons.Util.RegOpenKeyEx(SCons.Util.HKEY_LOCAL_MACHINE,
  1095.             r'SoftwareMicrosoftVisualStudio8.0')
  1096.         SCons.Util.RegQueryValueEx(idk, 'InstallDir')
  1097.         editions = { 'PRO': r'SetupVSPro' }       # ToDo: add standard and team editions
  1098.         edition_name = 'STD'
  1099.         for name, key_suffix in editions.items():
  1100.             try:
  1101.                 idk = SCons.Util.RegOpenKeyEx(SCons.Util.HKEY_LOCAL_MACHINE,
  1102.                     r'SoftwareMicrosoftVisualStudio8.0' + '\' + key_suffix )
  1103.                 edition_name = name
  1104.             except SCons.Util.RegError:
  1105.                 pass
  1106.             suites.append(edition_name)
  1107.     except SCons.Util.RegError:
  1108.         pass
  1109.     # Detect Express edition
  1110.     try:
  1111.         idk = SCons.Util.RegOpenKeyEx(SCons.Util.HKEY_LOCAL_MACHINE,
  1112.             r'SoftwareMicrosoftVCExpress8.0')
  1113.         SCons.Util.RegQueryValueEx(idk, 'InstallDir')
  1114.         suites.append('EXPRESS')
  1115.     except SCons.Util.RegError:
  1116.         pass
  1117.     return suites
  1118. def is_msvs_installed():
  1119.     """
  1120.     Check the registry for an installed visual studio.
  1121.     """
  1122.     try:
  1123.         v = SCons.Tool.msvs.get_visualstudio_versions()
  1124.         return v
  1125.     except (SCons.Util.RegError, SCons.Errors.InternalError):
  1126.         return 0
  1127. def get_msvs_install_dirs(version = None, vs8suite = None):
  1128.     """
  1129.     Get installed locations for various msvc-related products, like the .NET SDK
  1130.     and the Platform SDK.
  1131.     """
  1132.     if not SCons.Util.can_read_reg:
  1133.         return {}
  1134.     if not version:
  1135.         versions = get_visualstudio_versions()
  1136.         if versions:
  1137.             version = versions[0] #use highest version by default
  1138.         else:
  1139.             return {}
  1140.     version_num, suite = msvs_parse_version(version)
  1141.     K = 'Software\Microsoft\VisualStudio\' + str(version_num)
  1142.     if (version_num >= 8.0):
  1143.         if vs8suite == None:
  1144.             # We've been given no guidance about which Visual Studio 8
  1145.             # suite to use, so attempt to autodetect.
  1146.             suites = get_visualstudio8_suites()
  1147.             if suites:
  1148.                 vs8suite = suites[0]
  1149.         if vs8suite == 'EXPRESS':
  1150.             K = 'Software\Microsoft\VCExpress\' + str(version_num)
  1151.     # vc++ install dir
  1152.     rv = {}
  1153.     if (version_num < 7.0):
  1154.         key = K + r'SetupMicrosoft Visual C++ProductDir'
  1155.     else:
  1156.         key = K + r'SetupVCProductDir'
  1157.     try:
  1158.         (rv['VCINSTALLDIR'], t) = SCons.Util.RegGetValue(SCons.Util.HKEY_LOCAL_MACHINE, key)
  1159.     except SCons.Util.RegError:
  1160.         pass
  1161.     # visual studio install dir
  1162.     if (version_num < 7.0):
  1163.         try:
  1164.             (rv['VSINSTALLDIR'], t) = SCons.Util.RegGetValue(SCons.Util.HKEY_LOCAL_MACHINE,
  1165.                                                              K + r'SetupMicrosoft Visual StudioProductDir')
  1166.         except SCons.Util.RegError:
  1167.             pass
  1168.         if not rv.has_key('VSINSTALLDIR') or not rv['VSINSTALLDIR']:
  1169.             if rv.has_key('VCINSTALLDIR') and rv['VCINSTALLDIR']:
  1170.                 rv['VSINSTALLDIR'] = os.path.dirname(rv['VCINSTALLDIR'])
  1171.             else:
  1172.                 rv['VSINSTALLDIR'] = os.path.join(SCons.Platform.win32.get_program_files_dir(),'Microsoft Visual Studio')
  1173.     else:
  1174.         try:
  1175.             (rv['VSINSTALLDIR'], t) = SCons.Util.RegGetValue(SCons.Util.HKEY_LOCAL_MACHINE,
  1176.                                                              K + r'SetupVSProductDir')
  1177.         except SCons.Util.RegError:
  1178.             pass
  1179.     # .NET framework install dir
  1180.     try:
  1181.         (rv['FRAMEWORKDIR'], t) = SCons.Util.RegGetValue(SCons.Util.HKEY_LOCAL_MACHINE,
  1182.             r'SoftwareMicrosoft.NETFrameworkInstallRoot')
  1183.     except SCons.Util.RegError:
  1184.         pass
  1185.     if rv.has_key('FRAMEWORKDIR'):
  1186.         # try and enumerate the installed versions of the .NET framework.
  1187.         contents = os.listdir(rv['FRAMEWORKDIR'])
  1188.         l = re.compile('v[0-9]+.*')
  1189.         installed_framework_versions = filter(lambda e, l=l: l.match(e), contents)
  1190.         def versrt(a,b):
  1191.             # since version numbers aren't really floats...
  1192.             aa = a[1:]
  1193.             bb = b[1:]
  1194.             aal = string.split(aa, '.')
  1195.             bbl = string.split(bb, '.')
  1196.             # sequence comparison in python is lexicographical
  1197.             # which is exactly what we want.
  1198.             # Note we sort backwards so the highest version is first.
  1199.             return cmp(bbl,aal)
  1200.         installed_framework_versions.sort(versrt)
  1201.         rv['FRAMEWORKVERSIONS'] = installed_framework_versions
  1202.         # TODO: allow a specific framework version to be set
  1203.         # Choose a default framework version based on the Visual
  1204.         # Studio version.
  1205.         DefaultFrameworkVersionMap = {
  1206.             '7.0'   : 'v1.0',
  1207.             '7.1'   : 'v1.1',
  1208.             '8.0'   : 'v2.0',
  1209.             # TODO: Does .NET 3.0 need to be worked into here somewhere?
  1210.         }
  1211.         try:
  1212.             default_framework_version = DefaultFrameworkVersionMap[version[:3]]
  1213.         except (KeyError, TypeError):
  1214.             pass
  1215.         else:
  1216.             # Look for the first installed directory in FRAMEWORKDIR that
  1217.             # begins with the framework version string that's appropriate
  1218.             # for the Visual Studio version we're using.
  1219.             for v in installed_framework_versions:
  1220.                 if v[:4] == default_framework_version:
  1221.                     rv['FRAMEWORKVERSION'] = v
  1222.                     break
  1223.         # If the framework version couldn't be worked out by the previous
  1224.         # code then fall back to using the latest version of the .NET
  1225.         # framework
  1226.         if not rv.has_key('FRAMEWORKVERSION'):
  1227.             rv['FRAMEWORKVERSION'] = installed_framework_versions[0]
  1228.     # .NET framework SDK install dir
  1229.     if rv.has_key('FRAMEWORKVERSION'):
  1230.         # The .NET SDK version used must match the .NET version used,
  1231.         # so we deliberately don't fall back to other .NET framework SDK
  1232.         # versions that might be present.
  1233.         ver = rv['FRAMEWORKVERSION'][:4]
  1234.         key = r'SoftwareMicrosoft.NETFrameworksdkInstallRoot' + ver
  1235.         try:
  1236.             (rv['FRAMEWORKSDKDIR'], t) = SCons.Util.RegGetValue(SCons.Util.HKEY_LOCAL_MACHINE,
  1237.                 key)
  1238.         except SCons.Util.RegError:
  1239.             pass
  1240.     # MS Platform SDK dir
  1241.     try:
  1242.         (rv['PLATFORMSDKDIR'], t) = SCons.Util.RegGetValue(SCons.Util.HKEY_LOCAL_MACHINE,
  1243.             r'SoftwareMicrosoftMicrosoftSDKDirectoriesInstall Dir')
  1244.     except SCons.Util.RegError:
  1245.         pass
  1246.     if rv.has_key('PLATFORMSDKDIR'):
  1247.         # if we have a platform SDK, try and get some info on it.
  1248.         vers = {}
  1249.         try:
  1250.             loc = r'SoftwareMicrosoftMicrosoftSDKInstalledSDKs'
  1251.             k = SCons.Util.RegOpenKeyEx(SCons.Util.HKEY_LOCAL_MACHINE,loc)
  1252.             i = 0
  1253.             while 1:
  1254.                 try:
  1255.                     key = SCons.Util.RegEnumKey(k,i)
  1256.                     sdk = SCons.Util.RegOpenKeyEx(k,key)
  1257.                     j = 0
  1258.                     name = ''
  1259.                     date = ''
  1260.                     version = ''
  1261.                     while 1:
  1262.                         try:
  1263.                             (vk,vv,t) = SCons.Util.RegEnumValue(sdk,j)
  1264.                             if vk.lower() == 'keyword':
  1265.                                 name = vv
  1266.                             if vk.lower() == 'propagation_date':
  1267.                                 date = vv
  1268.                             if vk.lower() == 'version':
  1269.                                 version = vv
  1270.                             j = j + 1
  1271.                         except SCons.Util.RegError:
  1272.                             break
  1273.                     if name:
  1274.                         vers[name] = (date, version)
  1275.                     i = i + 1
  1276.                 except SCons.Util.RegError:
  1277.                     break
  1278.             rv['PLATFORMSDK_MODULES'] = vers
  1279.         except SCons.Util.RegError:
  1280.             pass
  1281.     return rv
  1282. def GetMSVSProjectSuffix(target, source, env, for_signature):
  1283.      return env['MSVS']['PROJECTSUFFIX']
  1284. def GetMSVSSolutionSuffix(target, source, env, for_signature):
  1285.      return env['MSVS']['SOLUTIONSUFFIX']
  1286. def GenerateProject(target, source, env):
  1287.     # generate the dsp file, according to the version of MSVS.
  1288.     builddspfile = target[0]
  1289.     dspfile = builddspfile.srcnode()
  1290.     # this detects whether or not we're using a VariantDir
  1291.     if not dspfile is builddspfile:
  1292.         try:
  1293.             bdsp = open(str(builddspfile), "w+")
  1294.         except IOError, detail:
  1295.             print 'Unable to open "' + str(dspfile) + '" for writing:',detail,'n'
  1296.             raise
  1297.         bdsp.write("This is just a placeholder file.nThe real project file is here:n%sn" % dspfile.get_abspath())
  1298.     GenerateDSP(dspfile, source, env)
  1299.     if env.get('auto_build_solution', 1):
  1300.         builddswfile = target[1]
  1301.         dswfile = builddswfile.srcnode()
  1302.         if not dswfile is builddswfile:
  1303.             try:
  1304.                 bdsw = open(str(builddswfile), "w+")
  1305.             except IOError, detail:
  1306.                 print 'Unable to open "' + str(dspfile) + '" for writing:',detail,'n'
  1307.                 raise
  1308.             bdsw.write("This is just a placeholder file.nThe real workspace file is here:n%sn" % dswfile.get_abspath())
  1309.         GenerateDSW(dswfile, source, env)
  1310. def GenerateSolution(target, source, env):
  1311.     GenerateDSW(target[0], source, env)
  1312. def projectEmitter(target, source, env):
  1313.     """Sets up the DSP dependencies."""
  1314.     # todo: Not sure what sets source to what user has passed as target,
  1315.     # but this is what happens. When that is fixed, we also won't have
  1316.     # to make the user always append env['MSVSPROJECTSUFFIX'] to target.
  1317.     if source[0] == target[0]:
  1318.         source = []
  1319.     # make sure the suffix is correct for the version of MSVS we're running.
  1320.     (base, suff) = SCons.Util.splitext(str(target[0]))
  1321.     suff = env.subst('$MSVSPROJECTSUFFIX')
  1322.     target[0] = base + suff
  1323.     if not source:
  1324.         source = 'prj_inputs:'
  1325.         source = source + env.subst('$MSVSSCONSCOM', 1)
  1326.         source = source + env.subst('$MSVSENCODING', 1)
  1327.         if env.has_key('buildtarget') and env['buildtarget'] != None:
  1328.             if SCons.Util.is_String(env['buildtarget']):
  1329.                 source = source + ' "%s"' % env['buildtarget']
  1330.             elif SCons.Util.is_List(env['buildtarget']):
  1331.                 for bt in env['buildtarget']:
  1332.                     if SCons.Util.is_String(bt):
  1333.                         source = source + ' "%s"' % bt
  1334.                     else:
  1335.                         try: source = source + ' "%s"' % bt.get_abspath()
  1336.                         except AttributeError: raise SCons.Errors.InternalError, 
  1337.                             "buildtarget can be a string, a node, a list of strings or nodes, or None"
  1338.             else:
  1339.                 try: source = source + ' "%s"' % env['buildtarget'].get_abspath()
  1340.                 except AttributeError: raise SCons.Errors.InternalError, 
  1341.                     "buildtarget can be a string, a node, a list of strings or nodes, or None"
  1342.         if env.has_key('outdir') and env['outdir'] != None:
  1343.             if SCons.Util.is_String(env['outdir']):
  1344.                 source = source + ' "%s"' % env['outdir']
  1345.             elif SCons.Util.is_List(env['outdir']):
  1346.                 for s in env['outdir']:
  1347.                     if SCons.Util.is_String(s):
  1348.                         source = source + ' "%s"' % s
  1349.                     else:
  1350.                         try: source = source + ' "%s"' % s.get_abspath()
  1351.                         except AttributeError: raise SCons.Errors.InternalError, 
  1352.                             "outdir can be a string, a node, a list of strings or nodes, or None"
  1353.             else:
  1354.                 try: source = source + ' "%s"' % env['outdir'].get_abspath()
  1355.                 except AttributeError: raise SCons.Errors.InternalError, 
  1356.                     "outdir can be a string, a node, a list of strings or nodes, or None"
  1357.         if env.has_key('name'):
  1358.             if SCons.Util.is_String(env['name']):
  1359.                 source = source + ' "%s"' % env['name']
  1360.             else:
  1361.                 raise SCons.Errors.InternalError, "name must be a string"
  1362.         if env.has_key('variant'):
  1363.             if SCons.Util.is_String(env['variant']):
  1364.                 source = source + ' "%s"' % env['variant']
  1365.             elif SCons.Util.is_List(env['variant']):
  1366.                 for variant in env['variant']:
  1367.                     if SCons.Util.is_String(variant):
  1368.                         source = source + ' "%s"' % variant
  1369.                     else:
  1370.                         raise SCons.Errors.InternalError, "name must be a string or a list of strings"
  1371.             else:
  1372.                 raise SCons.Errors.InternalError, "variant must be a string or a list of strings"
  1373.         else:
  1374.             raise SCons.Errors.InternalError, "variant must be specified"
  1375.         for s in _DSPGenerator.srcargs:
  1376.             if env.has_key(s):
  1377.                 if SCons.Util.is_String(env[s]):
  1378.                     source = source + ' "%s' % env[s]
  1379.                 elif SCons.Util.is_List(env[s]):
  1380.                     for t in env[s]:
  1381.                         if SCons.Util.is_String(t):
  1382.                             source = source + ' "%s"' % t
  1383.                         else:
  1384.                             raise SCons.Errors.InternalError, s + " must be a string or a list of strings"
  1385.                 else:
  1386.                     raise SCons.Errors.InternalError, s + " must be a string or a list of strings"
  1387.         source = source + ' "%s"' % str(target[0])
  1388.         source = [SCons.Node.Python.Value(source)]
  1389.     targetlist = [target[0]]
  1390.     sourcelist = source
  1391.     if env.get('auto_build_solution', 1):
  1392.         env['projects'] = targetlist
  1393.         t, s = solutionEmitter(target, target, env)
  1394.         targetlist = targetlist + t
  1395.     return (targetlist, sourcelist)
  1396. def solutionEmitter(target, source, env):
  1397.     """Sets up the DSW dependencies."""
  1398.     # todo: Not sure what sets source to what user has passed as target,
  1399.     # but this is what happens. When that is fixed, we also won't have
  1400.     # to make the user always append env['MSVSSOLUTIONSUFFIX'] to target.
  1401.     if source[0] == target[0]:
  1402.         source = []
  1403.     # make sure the suffix is correct for the version of MSVS we're running.
  1404.     (base, suff) = SCons.Util.splitext(str(target[0]))
  1405.     suff = env.subst('$MSVSSOLUTIONSUFFIX')
  1406.     target[0] = base + suff
  1407.     if not source:
  1408.         source = 'sln_inputs:'
  1409.         if env.has_key('name'):
  1410.             if SCons.Util.is_String(env['name']):
  1411.                 source = source + ' "%s"' % env['name']
  1412.             else:
  1413.                 raise SCons.Errors.InternalError, "name must be a string"
  1414.         if env.has_key('variant'):
  1415.             if SCons.Util.is_String(env['variant']):
  1416.                 source = source + ' "%s"' % env['variant']
  1417.             elif SCons.Util.is_List(env['variant']):
  1418.                 for variant in env['variant']:
  1419.                     if SCons.Util.is_String(variant):
  1420.                         source = source + ' "%s"' % variant
  1421.                     else:
  1422.                         raise SCons.Errors.InternalError, "name must be a string or a list of strings"
  1423.             else:
  1424.                 raise SCons.Errors.InternalError, "variant must be a string or a list of strings"
  1425.         else:
  1426.             raise SCons.Errors.InternalError, "variant must be specified"
  1427.         if env.has_key('slnguid'):
  1428.             if SCons.Util.is_String(env['slnguid']):
  1429.                 source = source + ' "%s"' % env['slnguid']
  1430.             else:
  1431.                 raise SCons.Errors.InternalError, "slnguid must be a string"
  1432.         if env.has_key('projects'):
  1433.             if SCons.Util.is_String(env['projects']):
  1434.                 source = source + ' "%s"' % env['projects']
  1435.             elif SCons.Util.is_List(env['projects']):
  1436.                 for t in env['projects']:
  1437.                     if SCons.Util.is_String(t):
  1438.                         source = source + ' "%s"' % t
  1439.         source = source + ' "%s"' % str(target[0])
  1440.         source = [SCons.Node.Python.Value(source)]
  1441.     return ([target[0]], source)
  1442. projectAction = SCons.Action.Action(GenerateProject, None)
  1443. solutionAction = SCons.Action.Action(GenerateSolution, None)
  1444. projectBuilder = SCons.Builder.Builder(action = '$MSVSPROJECTCOM',
  1445.                                        suffix = '$MSVSPROJECTSUFFIX',
  1446.                                        emitter = projectEmitter)
  1447. solutionBuilder = SCons.Builder.Builder(action = '$MSVSSOLUTIONCOM',
  1448.                                         suffix = '$MSVSSOLUTIONSUFFIX',
  1449.                                         emitter = solutionEmitter)
  1450. default_MSVS_SConscript = None
  1451. def generate(env):
  1452.     """Add Builders and construction variables for Microsoft Visual
  1453.     Studio project files to an Environment."""
  1454.     try:
  1455.         env['BUILDERS']['MSVSProject']
  1456.     except KeyError:
  1457.         env['BUILDERS']['MSVSProject'] = projectBuilder
  1458.     try:
  1459.         env['BUILDERS']['MSVSSolution']
  1460.     except KeyError:
  1461.         env['BUILDERS']['MSVSSolution'] = solutionBuilder
  1462.     env['MSVSPROJECTCOM'] = projectAction
  1463.     env['MSVSSOLUTIONCOM'] = solutionAction
  1464.     if SCons.Script.call_stack:
  1465.         # XXX Need to find a way to abstract this; the build engine
  1466.         # shouldn't depend on anything in SCons.Script.
  1467.         env['MSVSSCONSCRIPT'] = SCons.Script.call_stack[0].sconscript
  1468.     else:
  1469.         global default_MSVS_SConscript
  1470.         if default_MSVS_SConscript is None:
  1471.             default_MSVS_SConscript = env.File('SConstruct')
  1472.         env['MSVSSCONSCRIPT'] = default_MSVS_SConscript
  1473.     env['MSVSSCONS'] = '"%s" -c "%s"' % (python_executable, getExecScriptMain(env))
  1474.     env['MSVSSCONSFLAGS'] = '-C "${MSVSSCONSCRIPT.dir.abspath}" -f ${MSVSSCONSCRIPT.name}'
  1475.     env['MSVSSCONSCOM'] = '$MSVSSCONS $MSVSSCONSFLAGS'
  1476.     env['MSVSBUILDCOM'] = '$MSVSSCONSCOM "$MSVSBUILDTARGET"'
  1477.     env['MSVSREBUILDCOM'] = '$MSVSSCONSCOM "$MSVSBUILDTARGET"'
  1478.     env['MSVSCLEANCOM'] = '$MSVSSCONSCOM -c "$MSVSBUILDTARGET"'
  1479.     env['MSVSENCODING'] = 'Windows-1252'
  1480.     try:
  1481.         version = get_default_visualstudio_version(env)
  1482.         # keep a record of some of the MSVS info so the user can use it.
  1483.         dirs = get_msvs_install_dirs(version)
  1484.         env['MSVS'].update(dirs)
  1485.     except (SCons.Util.RegError, SCons.Errors.InternalError):
  1486.         # we don't care if we can't do this -- if we can't, it's
  1487.         # because we don't have access to the registry, or because the
  1488.         # tools aren't installed.  In either case, the user will have to
  1489.         # find them on their own.
  1490.         pass
  1491.     version_num, suite = msvs_parse_version(env['MSVS_VERSION'])
  1492.     if (version_num < 7.0):
  1493.         env['MSVS']['PROJECTSUFFIX']  = '.dsp'
  1494.         env['MSVS']['SOLUTIONSUFFIX'] = '.dsw'
  1495.     else:
  1496.         env['MSVS']['PROJECTSUFFIX']  = '.vcproj'
  1497.         env['MSVS']['SOLUTIONSUFFIX'] = '.sln'
  1498.     env['GET_MSVSPROJECTSUFFIX']  = GetMSVSProjectSuffix
  1499.     env['GET_MSVSSOLUTIONSUFFIX']  = GetMSVSSolutionSuffix
  1500.     env['MSVSPROJECTSUFFIX']  = '${GET_MSVSPROJECTSUFFIX}'
  1501.     env['MSVSSOLUTIONSUFFIX']  = '${GET_MSVSSOLUTIONSUFFIX}'
  1502.     env['SCONS_HOME'] = os.environ.get('SCONS_HOME')
  1503. def exists(env):
  1504.     if not env['PLATFORM'] in ('win32', 'cygwin'):
  1505.         return 0
  1506.     try:
  1507.         v = SCons.Tool.msvs.get_visualstudio_versions()
  1508.     except (SCons.Util.RegError, SCons.Errors.InternalError):
  1509.         pass
  1510.     if not v:
  1511.         version_num = 6.0
  1512.         if env.has_key('MSVS_VERSION'):
  1513.             version_num, suite = msvs_parse_version(env['MSVS_VERSION'])
  1514.         if version_num >= 7.0:
  1515.             # The executable is 'devenv' in Visual Studio Pro,
  1516.             # Team System and others.  Express Editions have different
  1517.             # executable names.  Right now we're only going to worry
  1518.             # about Visual C++ 2005 Express Edition.
  1519.             return env.Detect('devenv') or env.Detect('vcexpress')
  1520.         else:
  1521.             return env.Detect('msdev')
  1522.     else:
  1523.         # there's at least one version of MSVS installed.
  1524.         return 1