Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

MSVC add support for preview/prerelease versions #4048

Open
bdbaddog opened this issue Nov 4, 2021 · 32 comments
Open

MSVC add support for preview/prerelease versions #4048

bdbaddog opened this issue Nov 4, 2021 · 32 comments
Assignees
Labels
enhancement MSVC Microsoft Visual C++ Support

Comments

@bdbaddog
Copy link
Contributor

bdbaddog commented Nov 4, 2021

Describe the Feature
This is a continuation of discussion in issue #3988

Currently SCons MSVC logic will not detect installed prerelease versions.
To see these versions it needs to pass -prerelease flag to it's invocation of vswhere

Additionally it may be possible to vastly speed up MSVC detect if we do the following

  1. run vswhere -all -prerelease -json (fix if incorrect invocation) and process the generated JSON file.
  2. If the user requests a version which is not detectable by vswhere then use the appropriate registry queries and add that information to cached (from JSON) info about installed versions
  3. If the user didn't specify a version pick the newest non-prerelease version unless
  4. The user specifies env['MSVC_USE_PRERELEASE'] (or whatever the final variable name ends up being
  5. If the user didn't specify a version, and no installs were found by MSVC, then use registry query logic to find newest older version
@bdbaddog bdbaddog added the MSVC Microsoft Visual C++ Support label Nov 4, 2021
@bdbaddog bdbaddog self-assigned this Nov 4, 2021
@jcbrill
Copy link
Contributor

jcbrill commented Nov 4, 2021

Code snippets for vswhere to json and processing json output in #3988 (comment).

Sample vswhere to json functions:

# logical placement is in vc.py after msvc_find_vswhere

def vswhere_query_json(vswhere_args, env=None):
    """ Find MSVC instances using the vswhere program.

    Args:
        vswhere_args: query arguments passed to vswhere
        env: optional to look up VSWHERE variable

    Returns:
        json output or None

    """

    if env is None or not env.get('VSWHERE'):
        vswhere_path = msvc_find_vswhere()
    else:
        vswhere_path = env.subst('$VSWHERE')

    if vswhere_path is None:
        debug("vswhere path not found")
        return None

    debug('VSWHERE = %s' % vswhere_path)

    vswhere_cmd = [vswhere_path] + vswhere_args + ['-format', 'json']

    debug("running: %s" % vswhere_cmd)

    #cp = subprocess.run(vswhere_cmd, capture_output=True)  # 3.7+ only
    cp = subprocess.run(vswhere_cmd, stdout=PIPE, stderr=PIPE)
    if not cp.stdout:
        debug("no vswhere information returned")
        return None

    vswhere_output = cp.stdout.decode("mbcs")
    if not vswhere_output:
        debug("no vswhere information output")
        return None

    try:
        vswhere_json = json.loads(vswhere_output)
    except json.decoder.JSONDecodeError:
        debug("json decode exception loading vswhere output")
        vswhere_json = None

    return vswhere_json

# alternate version from WIP stand-alone script that used utf-8 encoding
# that takes as input a list of queries and returns a list of json output

    @classmethod
    def vswhere_query_json(cls, vswhere_queries):

        vswhere_exe = cls._vswhere_executable()
        if not vswhere_exe:
            debug("vswhere path not found")
            return None

        vswhere_output = []

        for vswhere_args in vswhere_queries:

            vswhere_cmd = [vswhere_exe] + vswhere_args + ['-format', 'json', '-utf8']

            vswhere_out = _VSDetectEnvironment.subprocess_run(vswhere_cmd, encoding='utf8', errors='strict')
            if not vswhere_out:
                debug("no vswhere information output")
                continue

            try:
                vswhere_json = json.loads(vswhere_out)
            except json.decoder.JSONDecodeError:
                # JCB internal error?
                debug("json decode exception loading vswhere output")
                continue

            vswhere_output.extend(vswhere_json)

        return vswhere_output

fragment: vswhere_json.txt

@jcbrill
Copy link
Contributor

jcbrill commented Nov 4, 2021

Two fragments for processing json output:

# version 1

def _register_msvc_instances_in_vswhere_json(vswhere_output):

    msvc_instances = []

    for instance in vswhere_output:

        productId = instance.get('productId','')
        if not productId:
            debug('productId not found in vswhere output')
            continue

        installationPath = instance.get('installationPath','')
        if not installationPath:
            debug('installationPath not found in vswhere output')
            continue

        installationVersion = instance.get('installationVersion','')
        if not installationVersion:
            debug('installationVersion not found in vswhere output')
            continue

        major = installationVersion.split('.')[0]
        try:
            msvc_vernum = _MSVC_CONFIG.MSVS_MAJORVERSION_TO_VCVER[major]
        except KeyError:
            debug("Unknown version of msvs: %s" % installationVersion)
            # TODO|JCB new exception type: MSVSProductUnknown?
            raise UnsupportedVersion("Unknown msvs version %s" % installationVersion)

        componentId = productId.split('.')[-1]
        if componentId not in _MSVC_PRODUCTVERSION_COMPONENTIDS[msvc_vernum]['Products']:
            debug('ignore componentId:%s' % componentId)
            continue

        component_rank = _MSVC_COMPONENTID_SELECTION_RANKING.get(componentId,0)
        if component_rank == 0:
            debug('unknown componentId:%s' % componentId)
            continue

        msvc_version = msvc_vernum
        msvc_product = msvc_version + _MSVC_COMPONENTID_VERSIONSUFFIX[componentId]

        if msvc_product in _VCVER:
            msvc_version = msvc_product

        if _MSVC_CONFIG.TESTING_IGNORE_INSTALLED_PRODUCT:
            if msvc_product in _MSVC_CONFIG.TESTING_IGNORE_INSTALLED_PRODUCTS:
                debug('ignoring product: ' + msvc_product)
                continue

        d = {
            'msvc_version' : msvc_version,
            'msvc_version_numeric' : msvc_vernum,
            'msvc_product' : msvc_product,
            'productId' : productId,
            'installationPath': installationPath,
            'componentId' : componentId,
            'component_rank' : component_rank,
        }

        debug('found msvc instance:(%s,%s)' % (productId, msvc_version))

        _MSVC_CONFIG.N_PRODUCTS += 1

        _MSVC_CONFIG.MSVC_VSWHERE_INSTANCES_UNIQUE.setdefault(msvc_version,[]).append(d)

        _MSVC_CONFIG.MSVC_VSWHERE_INSTANCES.setdefault(msvc_version,[]).append(d)

        if msvc_product != msvc_version:
            # synthetic version number (e.g., 14.2Ent, 14.2Pro, 14.2Com, 14.2BT) needed when looking up vc_dir
            debug('found specific msvc instance:(%s,%s)' % (productId, msvc_product))
            _MSVC_CONFIG.MSVC_VSWHERE_INSTANCES.setdefault(msvc_product,[]).append(d)
        else:
            # Known products (e.g., 14.1Exp) are not entered in the "bare" version number list
            # due to vc_dir lookup when walking _VCVER list.
            # Extended version support will use the "fully qualified" product type list.
            pass

        msvc_instances.append(d)

    for version, instances in _MSVC_CONFIG.MSVC_VSWHERE_INSTANCES_UNIQUE.items():
        if len(instances):
            # sort multiple instances remaining based on productId priority: largest rank to smallest rank
            _MSVC_CONFIG.MSVC_VSWHERE_INSTANCES_UNIQUE[version] = sorted(instances, key = lambda x: x['component_rank'], reverse=True)

    for version, instances in _MSVC_CONFIG.MSVC_VSWHERE_INSTANCES.items():
        if len(instances):
            # sort multiple instances remaining based on productId priority: largest rank to smallest rank
            _MSVC_CONFIG.MSVC_VSWHERE_INSTANCES[version] = sorted(instances, key = lambda x: x['component_rank'], reverse=True)

    return msvc_instances

# version 2 including prerelease flag

    @classmethod
    def vs_process_json_output(cls, vs_rel, vswhere_output, vs_cfg):

        msvs_instances = []

        for instance in vswhere_output:

            #print(json.dumps(instance, indent=4, sort_keys=True))

            productId = instance.get('productId','')
            if not productId:
                debug('productId not found in vswhere output')
                continue

            installationPath = instance.get('installationPath','')
            if not installationPath:
                debug('installationPath not found in vswhere output')
                continue

            installationVersion = instance.get('installationVersion','')
            if not installationVersion:
                debug('installationVersion not found in vswhere output')
                continue

            major = installationVersion.split('.')[0]
            if major != vs_cfg.vs_major:
                raise InternalError('Internal error: msvs major version mis-match: %s, %s' % (major, vs_cfg.vs_major))

            component_id = productId.split('.')[-1]
            if component_id not in vs_cfg.vs_products:
                debug('ignore component_id:%s' % component_id)
                continue

            component_rank = _VSDetectConst.MSVC_COMPONENTID_SELECTION_RANKING.get(component_id,0)
            if component_rank == 0:
                # JCB|TODO: exception and/or stderr?
                debug('unknown component_id:%s' % component_id)
                continue

            isPrerelease = 1 if instance.get('isPrerelease', False) else 0
            isRelease = 0 if isPrerelease else 1

            vs_root = _VSDetectUtil.process_path(installationPath)

            if vs_root in vs_rel.msvs_roots:
                continue

            vs_rel.msvs_roots.add(vs_root)

            msvs_base = MSVSBase._factory(

                title = vs_cfg.vs_title,

                root_dir = vs_root,
                root_version = installationVersion,

                vc_release = isRelease,

                vc_version = vs_cfg.vc_version,
                vc_runtime = vs_cfg.vc_runtime,

                vc_component_id = component_id,
                vc_component_rank = component_rank,

            )

            msvs_instance = MSVSInstance._factory(

                msvs_base = msvs_base,

                vs_dir = vs_root,
                vs_version = installationVersion,

                vs_executable = _VSDetectUtil.vs_executable(vs_root, vs_cfg.vs_executable),
                vs_script = _VSDetectUtil.vs_batchfile(vs_root, [vs_cfg.vs_batchfile]),
                vs_script_errs = vs_cfg.vs_script_errs,

                vs_environ_vars = vs_cfg.vs_environ_vars,
                vs_preserve_vars = vs_cfg.vs_preserve_vars,

            )

            msvs_instances.append(msvs_instance)

        msvs_instances = sorted(msvs_instances, key=cmp_to_key(MSVSInstance._default_order))

        return msvs_instances

fragment: vswhere_json_processing.txt

Version 1: old branch supporting specific version selection
Version 2: WIP stand-alone VS/VC detection script

@jcbrill
Copy link
Contributor

jcbrill commented Nov 4, 2021

The WIP stand-alone script for VS/VC detection departs from the current SCons implementation in subtle but important ways.

The script attempts to ferret out all installed versions of MSVS/MSVC. Prerelease versions are currently enabled via the command line. I will probably have to rethink the current sorting/ranking. Not implemented yet is SDK support. Windows only.

If you're interested in the beginning and ending system environments for msvc batch file invocations, then this is the tool for you.

There are no dependencies outside of standard python. I have been developing using embedded python 3.6 (32-bit and 64-bit).

There may be some ideas in here worth pursuing. It is my intention that this script is reduced to a couple callable functions that return minimal arguments to an SCons Environment. I also have a need for older MSVC detection outside of SCons.

This probably is not the place for it, but the environment passed to subprocess when invoking some of the newer MSVC batch files in the current SCons tree are too aggressively minimal in some cases.

The vsdetect.py script writes voluminous output to stdout and minimal information to stderr.

A typical invocation redirecting output to a text file is:

    python vsdetect.py --noverify 1>vsdetect-stdout.txt

On my computer it takes about 200ms (17 instances, 30 toolsets, 171 tools)
On my computer it takes about 90ms (17 instances, 30 toolsets, 171 tools)

To actually run all of the batch files for each tool and redirecting output to a text file is:

   python vsdetect.py 1>vsdetect-full-stdout.txt

On my computer it takes 154 seconds to run all 171 batch files for each tool (toolset).

This is alpha quality and currently outside of any version control system.

vsdetect.py zip: vsdetect-20211105.zip
Updated for single call to vswhere with prerelease flag similar to the current discussion .

For your amusement and/or horror.

@jcbrill
Copy link
Contributor

jcbrill commented Nov 5, 2021

Documentation for future reference.

Candidate vswhere command line:

vswhere.exe -all -products * -prerelease -format json -utf8

Notes:

  • without -products * only Enterprise, Professional, and Community installations will be returned
  • with -products * more products than necessary for SCons are returned and need to be ignored.
    Needed for BuildTools and WDExpress.

Visual Studio workload and component IDs documentation:

Product IDs of interest (productId):

  • Microsoft.VisualStudio.Product.Enterprise [2022, 2019, 2017]
  • Microsoft.VisualStudio.Product.Professional [2022, 2019, 2017]
  • Microsoft.VisualStudio.Product.Community [2022, 2019, 2017]
  • Microsoft.VisualStudio.Product.BuildTools [2022, 2019, 2017]
  • Microsoft.VisualStudio.Product.WDExpress [2017]

Product IDs that can likely be ignored (productId):

  • Microsoft.VisualStudio.Product.TeamExplorer [2022, 2019, 2017]
  • Microsoft.VisualStudio.Product.TestAgent [2022, 2019]
  • Microsoft.VisualStudio.Product.TestController [2022, 2019]
  • Microsoft.VisualStudio.Product.TestProfessional [2017]
  • Microsoft.VisualStudio.Product.FeedbackClient [2017]

@mwichmann
Copy link
Collaborator

This probably is not the place for it, but the environment passed to subprocess when invoking some of the newer MSVC batch files in the current SCons tree are too aggressively minimal in some cases.

That's pretty ingrained in the SCons philosophy, though I'm well aware it causes problems.

The vsdetect.py script writes voluminous output to stdout and minimal information to stderr.

wonder if that will cause problems with subprocess... there are plenty of notes about it blocking when there's two much output from the subprocess, I have no idea if more recent Pythons are less prone to that. Just a question...

@mwichmann
Copy link
Collaborator

Isn't there also a -legacy flag to vswhere for older installations that can't find full information? My recollection was it gives you so little information it's not terribly useful, but claiming no expertise.

@jcbrill
Copy link
Contributor

jcbrill commented Nov 5, 2021

wonder if that will cause problems with subprocess... there are plenty of notes about it blocking when there's two much output from the subprocess, I have no idea if more recent Pythons are less prone to that. Just a question...

The vsdetect.py script above is writing a ton of effectively debug data to stdout after the subprocess calls. This script is mostly for detecting all MSVS instances and toolsets outside of SCons and verifying that there are no errors when running the batch files. It also serves as a testbed to see what environment variables should be added and possible preserved. Currently the output is to determine if all instances and toolsets are detected correctly and the data structures are built appropriately.

That's pretty ingrained in the SCons philosophy, though I'm well aware it causes problems.

One thing that became apparent was that newer versions of MSVS (2017+) invoke a number of batch files that may make use "standard" windows environment variables that are not present in the environment when the batch file is invoked.

For example:

  • PROCESSOR_ARCHITECTURE, PROCESSOR_ARCHITEW6432
  • ProgramFiles, ProgramFiles(x86)

Locally, vcvarsall.bat in one 2017 instance actually reports an error due to typescript not being found. This passes in SCons because cl.exe is on the path but the error message is not detected. This was a surprise and is what led to expanding the environment passed to the subprocess calls. The implementation is a bit tricky as python and/or the windows shell can be 32-bit on a 64-bit host. On a 64-bit host, a new 64-bit command shell is started to execute the vc batch file. The vsdetect script has a switch to produce "scons-like" environments and "extended" environments and then comparing the output.

For the most part the resulting output is the same with the a handful of minor exceptions. In addition to the one mentioned above, the HTML help compiler is added to the path for some instances of MSVS.

This morning the vswhere queries in vsdetect.py were reworked from one+ queries per version (e.g., 14.3) to a single query for all installations as suggested above. The runtime improvement was fairly significant. From approximately 200ms to 90ms. Note: the vsdetect script is hard on both the registry and filesystem as it finds all toolsets available.

@mwichmann - Perhaps a new discussion for MSVS/MSVS detection (similar to the discussion for QT) would be a useful location to document some of the existing behavior and possible improvements/remedies?

@jcbrill
Copy link
Contributor

jcbrill commented Nov 6, 2021

Isn't there also a -legacy flag to vswhere for older installations that can't find full information? My recollection was it gives you so little information it's not terribly useful, but claiming no expertise.

The legacy flag will return instances of VS2010 (10.0) to VS2015 (14.0) in addition to VS2017+ (14.1+) versions.

The legacy instance fields are limited to installationPath and installationVersion.

Locally, I only have one instance each of VS2010-VS2015 installed so I can't be sure what vswhere returns when there is more than one instance of a given product (e.g., VS2015 Community and VS2015 Express).

For the following installed products:

  • VS2015 Community
  • VS2013 Community
  • VS2012 Express
  • VS2010 SDK (see notes below)

The following invocation:

vswhere.exe -legacy

Returns the following with VS2017+ entries manually removed:

instanceId: VisualStudio.14.0
installationPath: C:\Software\MSVS140\
installationVersion: 14.0

instanceId: VisualStudio.12.0
installationPath: C:\Software\MSVS120\
installationVersion: 12.0

instanceId: VisualStudio.11.0
installationPath: C:\Program Files (x86)\Microsoft Visual Studio 11.0\
installationVersion: 11.0

instanceId: VisualStudio.10.0
installationPath: C:\Program Files (x86)\Microsoft Visual Studio 10.0\
installationVersion: 10.0

As SCons treats Express as an independent version specification (e.g., '11.0Exp'), some additional work would need to be done to determine if the installation path is an express version when using vswhere.

I have the installers for VS2015 Express and VS2013 Express so it would be possible to see what is returned when there are multiple instances of the same product.

VS2010 SDK Notes:

  • VS2010 Express does not include the 64-bit compilers (i.e., amd64 and x86_amd64 targets).

  • The VS2010 SDK does include the 64-bit compilers but does not generate/include the vcvars64 and vcvarsx86_amd64 batch files.

  • In a perfect world, a manually created vcvars64.bat batch file could simply call the SDK SetEnv.cmd batch file:
    @CALL "C:\Program Files\Microsoft SDKs\Windows\v7.1\Bin\SetEnv.Cmd" /Release /x64

    Unfortunately, the SDK SetEnv.cmd batch files require delayed expansion to be enabled which may not be enabled by default. This would be possible if the vcvars batch files were launched via a new command instance with extensions enabled:
    cmd_str = '{} /E:ON /V:ON /U /C'.format(cmd_exe)

    Locally, a hand crafted vcvars64.bat file was created based on the output from SetEnv.cmd which does not require delayed expansion.

@jcbrill
Copy link
Contributor

jcbrill commented Nov 10, 2021

Visual Studio versions as of 2021-11-10

Visual Studio Status VC Ver Component VS Version VC Toolset
VS 2022 Community Preview Prerelease 14.3 Community 17.1.31903.286 14.31.30818
VS 2022 Build Tools Preview Prerelease 14.3 BuildTools 17.1.31903.286 14.31.30818
VS 2022 Community Release 14.3 Community 17.0.31903.59 14.30.30705
VS 2022 Build Tools Release 14.3 BuildTools 17.0.31903.59 14.30.30705
VS 2019 Community Release 14.2 Community 16.11.31829.152 14.29.30133
VS 2019 Build Tools Release 14.2 BuildTools 16.11.31829.152 14.29.30133
VS 2017 Community Release 14.1 Community 15.9.28307.1745 14.16.27023
VS 2017 Build Tools Release 14.1 BuildTools 15.9.28307.1745 14.16.27023
VS 2017 Express Release 14.1Exp WDExpress 15.9.28307.1745 14.16.27023

@jcbrill
Copy link
Contributor

jcbrill commented Nov 12, 2021

An SCons branch with preliminary support for preview/prerelease versions of VS 2017-2022 is in my GitHub repository at:
https://github.com/jcbrill/scons/tree/jbrill-msvc-preview

If there is any interest, a PR could be issued as a basis for discussion.

It turns out that a single vswhere json query is the easy part.

The harder parts were related to find_vc_pdir and find_vc_pdir_vswhere being used for both finding all installed versions (setup/initialization) and for finding the appropriate batch file when processing a user environment (runtime).

When finding all installed versions there is a need to bypass checking the environment (if it even exists) for the preview flag and force traversal for all versions and all preview versions (14.1-14.3). This was implemented by adding an optional argument to a number of functions that force the release/preview indicator to be used rather than querying the environment key.

Also, there are now two installed_versions lists: one for release versions and one for preview versions. The cached installed_versions list was changed to a dictionary of two lists with the keys for release (True) and preview/prerelease (False).

The changes to find_vc_pdir, find_vc_pdir_vswhere, get_installed_vcs, and msvc_exists have larger implications for the test suite. Two minimal changes were made to the existing tests for the additional parameter added. However, adding new tests for the preview versions will be more difficult than actually supporting preview versions.

The following tests pass or are skipped:

  • SCons\Tool\MSCommon\vcTests.py
  • SCons\Tool\msvsTests.py
  • Test\MSVC*.py
  • Test\MSVS*.py

The following SConstruct environments were tested with a single c file:

env = Environment(MSVC_PREVIEW=True)                          # 14.3 Preview
#env = Environment(MSVC_VERSION="14.3", MSVC_PREVIEW=True)    # 14.3 Preview
#env = Environment(MSVC_VERSION="14.2", MSVC_PREVIEW=True)    # warning: VC Version 14.2 Preview not installed
#env = Environment(MSVC_VERSION="14.1", MSVC_PREVIEW=True)    # warning: VC Version 14.1 Preview not installed
#env = Environment(MSVC_VERSION="14.1Exp", MSVC_PREVIEW=True) # warning: VC Version 14.1Exp Preview not installed

#env = Environment()                        # 14.3 Release
#env = Environment(MSVC_VERSION="14.3")     # 14.3 Release
#env = Environment(MSVC_VERSION="14.2")     # 14.2 Release
#env = Environment(MSVC_VERSION="14.1")     # 14.1 Release
#env = Environment(MSVC_VERSION="14.1Exp")  # 14.1Exp Release

env.Program("hello", "hello.c")

The environment variable MSVC_PREVIEW was used. The variable name is only used in two places (the env lookup and a docstring comment) so it would be trivial to change the name.

The MSVC_PREVIEW environment variable is silently ignored for VS versions 14.0 and earlier.

From the list above, I believe numbers 1, 3, and 4 may have been accomplished. Intentionally, the registry components were not touched.

I am not sure what will happen if there is only one installed instance of VS and it is a preview version. It should work but it has not been tested yet.

Note: manually disabling the preview environment lookup would result in the current scons behavior (release versions only) but with a single vswhere query with results cached.

@bdbaddog
Copy link
Contributor Author

MSVC_PREVIEW=True.. let's not encourage old logic.. ;)

@jcbrill
Copy link
Contributor

jcbrill commented Nov 12, 2021

Completely agree. Updated code and comment above.

@mwichmann mwichmann added this to the 4.4 milestone Nov 23, 2021
@bdbaddog bdbaddog modified the milestones: 4.4, NextRelease Dec 1, 2021
@mwichmann
Copy link
Collaborator

So where are we on this one? What will it take to get it over the line?

@jcbrill
Copy link
Contributor

jcbrill commented Jan 19, 2022

I need to make sure the proposed code is consistent with any/all changes since Nov 2021. I haven't looked at the proposed code in the last two months.

Unfortunately, I had to reinstall windows (twice) since then which meant reinstalling all versions of MSVS again (currently at 19 instances and 231 toolsets for testing purposes) which was a bit of a time sink.

There are degenerate/corner cases that probably still need to be investigated (e.g., there is on one instance installed and it is a preview version) which probably are easiest to test in a virtual machine.

The use of MSVC_Preview and a boolean value precludes the use of "Any" (i.e., release if one exists otherwise preview in a deterministic search order when they are are multiple instances installed). In addition, it may be harder to expand in the future should any other "channel-like" options be added to vswhere.

For testing in my standalone script, I adopted "MSVC_Channel" which can have the values; "Release", "Preview", or "Any". Any makes more sense when specific buildtools (v143) or toolsets (14.3) are supported as well. For example, build with the v143 toolset and use any release instance before using a preview instance that contains a v143 toolset. The default value when not specified would be "Release".

If nothing else, switching to "MSVC_Channel" and the values "Release" and "Preview" (i.e., not supporting "Any") could be mapped to the proposed implementation and could be considered more descriptive.

Any thoughts on "MSVC_Preview" versus "MSVC_Channel"?

It is advisable for someone other than me to review the proposed code as well. The current architecture/implementation of the msvc detection implementation imposes a number of constraints that had to be worked around.

@bdbaddog
Copy link
Contributor Author

Wow that's a lot to install!
Can you attache a json output from vswhere with all that?
Ideally (I think I've said this before), we'd run vswhere once, and pull in all the installed versions, then if none of those satisfy the requested version (if a specific version was requested), we'd walk the registry.
This should be significantly faster than what we do now.

Once we have the output from the single vswhere run, we can filter it for things other than the specific requested version, including prerelease.

Another thing probably worth considering is do we want a way to say both of:

  • I'll accept the newest version even if it's prerelease
  • I only want a the newest prerelease version

@jcbrill
Copy link
Contributor

jcbrill commented Jan 19, 2022

Visual Studio instances:

  1. VS 2022 Community Preview ("2022-Pre-Com")*
  2. VS 2022 BuildTools Preview ("2022-Pre-BT")*
  3. VS 2022 Community ("2022-Rel-Com")*
  4. VS 2022 BuildTools ("2022-Rel-BT")*
  5. VS 2019 Community ("2019-Rel-Com")*
  6. VS 2019 BuildTools ("2019-Rel-BT")*
  7. VS 2017 Community ("2017-Rel-Com")*
  8. VS 2017 BuildTools ("2017-Rel-BT")*
  9. VS 2017 Express ("2017-Rel-Exp")*
  10. VS 2015 Community ("2015-Rel-Dev")
  11. VS 2013 Community ("2013-Rel-Dev")
  12. VS 2012 Express ("2012-Rel-Exp")
  13. VS 2010 Express+SDK ("2010-Rel-Exp")
  14. VS 2008 Professional ("2008-Rel-Dev")
  15. VS 2008 VC++ForPython ("2008-Rel-Py")
  16. VS 2005 Professional ("2005-Rel-Dev")
  17. VS 2003 Professional ("2003-Rel-Dev")
  18. VS 2002 Professional ("2002-Rel-Dev")
  19. VS 6 Professional ("1998-Rel-Dev")

jcb-vswhere.zip

vswhere -all -products * -prerelease -format json will find 9 instances (1-9 above) and is attached as jcb-vswhere.json in jcb-vswhere.zip. Instances 10-19 are found via the registry.

jcb-vsdetect.zip

Also attached is jcb-vsdetect.zip containing jcb-vsdetect.txt which is a 1.65mb text file containing a json dump of the internal data structures for my standalone msvs detection tool. The tool detects all 19 instances above, 38 toolsets (note: this is inflated due to v140 tools), and 231 tools (toolset and host/target). If nothing else, thus far it is a useful diagnostic tool.

On my computer, it took about 0.110s (64-bit) and 0.136s (32-bit) to detect the instances and construct the data structure. Currently, many tables/dictionaries are pre-computed with a variety of keys offering a number of ways to query the data structure.

Another thing probably worth considering is do we want a way to say both of:

  • I'll accept the newest version even if it's prerelease
  • I only want a the newest prerelease version

Short answer is yes.

Long answer is more difficult as the current MSVC_VERSION is really a Visual Studio product and not the toolset/tool version. There is no requirement that the v143 tools are actually installed in VS2022 while the v142 tools and lower may be installed. I have not tested this yet. The preview toolset versions (14.31.30919) are larger than the release toolset versions (14.30.30705) for VS2022.

Possible independent ordering keys:

  • Toolset version (14.31.30919)
  • Channel (Release/Preview)

In the sample data structure output attached above, if you search for "edition_toolset" you will find sorted lists by toolset version first and channel value second with release ordered before preview for the same toolset version for a given key.

@mwichmann
Copy link
Collaborator

Agree the triple-versioning of things is a problem, but it's what Microsoft gives us. Is there any way we can do better than what we're doing in how this is exposed to the programmer? We already have MSVC_VERSION and MSVS_VERSION with the latter mostly-retired (it's noted as obsolete, but still looked at if MSVC_VERSION is not set I guess).

@jcbrill
Copy link
Contributor

jcbrill commented Jan 24, 2022

I apologize in advance for the lack of a more polished and thoughtful response. Time limited today...

In a perfect world, adding MSVC_PRODUCT, MSVC_CHANNEL, MSVC_COMPONENT, and MSVC_TOOLSET as user-facing options would satisfy most of the outstanding issues/enhancements. Also, MSVC_RUNTIME is useful as a request for any vc runtime compatible product/buildtools/toolset installed.

Backward compatibility when MSVC_VERSION is specified is more difficult due to validation across an expanded set of inputs. It would be better if the existing MSVC_VERSION were derived internally from the toolset that is selected. Other than the test suite, MSVC_VERSION seems to only appear once outside of the detection code (Tool\msvc.py).

This would require non-trivial expansion to the underlying detection code and to the internal data structures.

The standalone script I'm using to test these concepts supports the additions above and a handful more that aren't relevant to this particular discussion.

The following are equivalent:
    MSVC_VERSION="14.1Exp"
    MSVC_PRODUCT="2017", MSVC_COMPONENT="Exp", MSVC_CHANNEL="Release" and
    MSVC_PRODUCT="14.1", MSVC_COMPONENT="Express", MSVC_CHANNEL="Release"

The following are equivalent:    
    MSVC_VERSION="14.3" 
    MSVC_PRODUCT="2022", MSVC_CHANNEL="Release" and 
    MSVC_PRODUCT="14.3", MSVC_CHANNEL="Release"
    
Issue: MSVC add support for preview/prerelease versions #4048
    MSVC_PRODUCT="2022", MSVC_CHANNEL="Preview"
    MSVC_VERSION="14.3", MSVC_CHANNEL="Preview"
    MSVC_VERSION="14.3", MSVC_CHANNEL="Preview", MSVC_COMPONENT="BuildTools"
    
Issue: MSVC Version 14.1 not found with 14.2 installed #3664
Issue: MSVC tool supports choosing specific msvc version down to minor version
    MSVC_TOOLSET="v141"
    MSVC_TOOLSET="14.1"
    MSVC_TOOLSET="14.16.27023"
    MSVC_VERSION="14.2", MSVC_TOOLSET="v141"
    MSVC_PRODUCT="14.2", MSVC_TOOLSET="v141"
    MSVC_PRODUCT="2019", MSVC_TOOLSET="v141"
    MSVC_VERSION="14.2", MSVC_TOOLSET="14.1"
    MSVC_PRODUCT="2019", MSVC_TOOLSET="14.1"
    MSVC_VERSION="14.2", MSVC_TOOLSET="14.16.27023"
    MSVC_PRODUCT="14.2", MSVC_TOOLSET="14.16.27023"
    MSVC_PRODUCT="2019", MSVC_TOOLSET="14.16.27023"

MSVC_PRODUCT:

  • 2022, 14.3
  • 2019, 14.2
  • 2017, 14.1
  • 2015, 14.0
  • 2013, 12.0
  • 2012, 11.0
  • 2010, 10.0
  • 2008, 9.0
  • 2005, 8.0
  • 2003, 7.1
  • 2002, 7.0
  • 1998, 6.0, 6

MSVC_CHANNEL:

  • Release [default]
  • Preview
  • Any

MSVC_COMPONENT:

  • Ent, Enterprise
  • Pro, Professional
  • Com, Community
  • BT, BuildTools
  • Exp, Express, WDExpress
  • Dev, Develop [2015 and earlier]
  • Py, Python, VCForPython
  • Cmd, CmdLine, CommandLine [2015 and earlier]
  • SDK

Note: components for 2015 and earlier are limited at present.

MSVC_TOOLSET [buildtools or proper toolset version prefix] examples:

  • v143, 14.3, 14.30, 14.30.30705
  • v142, 14.2, 14.29, 14.29.30133
  • v141, 14.1, 14.16, 14.16.27023
  • v140, 14.0, 14.00, 14.00.00000
  • v120, 12.0, 12.00, 12.00.00000
  • v110, 11.0, 11.00, 11.00.00000
  • v100, 10.0, 10.00, 10.00.00000
  • v90, 9.0, 9.00, 9.00.00000
  • v80, 8.0, 8.00, 8.00.00000
  • v71, 7.1, 7.10, 7.10.00000
  • v70, 7.0, 7.00, 7.00.00000
  • v60, 6.0, 6.00, 6.00.00000

MSVC_RUNTIME:

  • 140, ucrt
  • 120, msvcr120
  • 110, msvcr110
  • 100, msvcr100
  • 90, msvcr90
  • 80, msvcr80
  • 71, msvcr71
  • 70, msvcr70
  • 60, msvcrt

The fragments below show one way all of the microsoft version numbers can be tied together:

  • runtime (crt) version
  • buildtools version
  • vc version
  • cl.exe version
  • vs version
  • product version
# Sample internal data structure construction fragments.

for vc_runtime, vc_runtime_alias_list in [
    ('140', ['ucrt']),
    ('120', ['msvcr120']),
    ('110', ['msvcr110']),
    ('100', ['msvcr100']),
    ( '90', ['msvcr90']),
    ( '80', ['msvcr80']),
    ( '71', ['msvcr71']),
    ( '70', ['msvcr70']),
    ( '60', ['msvcrt']),
]:
    pass

for vc_buildtools, vc_version, cl_version, vc_runtime in [
    ('v143', '14.3', '19.3', '140'),
    ('v142', '14.2', '19.2', '140'),
    ('v141', '14.1', '19.1', '140'),
    ('v140', '14.0', '19.0', '140'),
    ('v120', '12.0', '18.0', '120'),
    ('v110', '11.0', '17.0', '110'),
    ('v100', '10.0', '16.0', '100'),
    ( 'v90',  '9.0', '15.0',  '90'),
    ( 'v80',  '8.0', '14.0',  '80'),
    ( 'v71',  '7.1', '13.1',  '71'),
    ( 'v70',  '7.0', '13.0',  '70'),
    ( 'v60',  '6.0', '12.0',  '60'),
]:
    pass

# the first buildtools list element is the "native" version introduced with the product
for vs_product, vs_version, vc_buildtools_all in [
    ('2022', '17.0', ['v143', 'v142', 'v141', 'v140']),
    ('2019', '16.0', ['v142', 'v141', 'v140']),
    ('2017', '15.0', ['v141', 'v140']),
    ('2015', '14.0', ['v140']),
    ('2013', '12.0', ['v120']),
    ('2012', '11.0', ['v110']),
    ('2010', '10.0', ['v100']),
    ('2008',  '9.0', [ 'v90']),
    ('2005',  '8.0', [ 'v80']),
    ('2003',  '7.1', [ 'v71']),
    ('2002',  '7.0', [ 'v70']),
    ('1998',  '6.0', [ 'v60']),
]:
    pass

@bdbaddog
Copy link
Contributor Author

bdbaddog commented Jan 24, 2022

@jcbrill - Your "unpolished" responses exceed most other users' polished responses. Thanks for your continued efforts and attention to detail on this issue!

@jcbrill
Copy link
Contributor

jcbrill commented Jan 25, 2022

Is there any way we can do better than what we're doing in how this is exposed to the programmer? We already have MSVC_VERSION and MSVS_VERSION with the latter mostly-retired (it's noted as obsolete, but still looked at if MSVC_VERSION is not set I guess).

For discussion purposes, all new variables are introduced so there is no conceptual baggage attached to re-use of existing variables. Ignore MSVC_VERSION for the moment.

For modern versions of visual studio detected via vswhere (2015 and later), a visual studio instance can be uniquely defined by:

  • the visual studio version (e.g., 17.0, 16.0, 15.0),
  • the channel (e.g., Release and Preview),
  • the workload component (e.g., Enterprise, Professional, Community, BuildTools, Express)

Despite what was presented above, the more appropriate names for these elements are:

  • MSVS_PRODUCT (2022, 17.0, 2019, 16.0, 2017, 15.0)
  • MSVS_CHANNEL (Release, Preview)
  • MSVS_COMPONENT (Enterprise, Professional, Community, BuildTools, Express)

An installed visual studio instance can be uniquely identified by the triple: MSVS_PRODUCT, MSVS_CHANNEL, MSVS_COMPONENT.

For visual studio 2015 and later, multiple vc buildtools/toolsets can be installed. MSVC specific variables could include:

  • MSVC_TOOLSET (e.g., v143, 14.3, 14.30, 14.30.30705, v142, 14.2, 14.29, v141, 14.1, 14.16)
  • MSVC_RUNTIME (e.g., ucrt, 140, msvcr120, 120)

The outstanding issue is what is the exact semantic definition of MSVC_VERSION when defined by a user, if allowed at all, in the new system of definitions?

  1. MSVC_VERSION is solely a product specification (e.g., MSVC_VERSION="14.2" => MSVS_PRODUCT="2019"). There is no guarantee that the v142 buildtools are installed in a candidate visual studio 2019 instance.
  2. MSVC_VERSION is a product specification and a toolset specification (e.g., MSVC_VERSION="14.2" => MSVS_PRODUCT="2019" and MSVC_TOOLSET="14.2"). The installed products may not contain the desired toolsets.
  3. MSVC_VERSION is solely a toolset specification (e.g., MSVC_VERSION="14.2" => MSVS_TOOLSET="14.2"). This could return a "newer" visual studio instance. If the v142 buildtools are installed in VS 2022, this would select VS2022 before VS2019. This is desirable from a buildtools/toolset approach.

The current SCONS implementation is effectively method 1 (product interpretation). A better approach for backwards compatibility is likely method 2 (product and toolset interpetation) to avoid any ambiguity. A modern interpretation of "find the newest product that supports my desired toolset" is best served with method 3 (toolset interpretation).

Methods 2 and 3 require the buildtools/toolset versions to be recorded during detection.

There may be a degenerate case with method 1 that leads to undesirable results. This degenerate case may exist in the current SCONS implementation. The implied assumption is that the "latest" buildtools are always installed (e.g., buildtools v142 are installed in VS2019). This is not guaranteed.

List 1: assume the following installed visual studio instances:
    2022, Release, Community
    2022, Release, BuildTools
    2022, Preview, Community
    2022, Preview, BuildTools
    2019, Release, Community
    2019, Release, BuildTools
    2017, Release, Community
    2017, Release, BuildTools
    2017, Release, Express

List 2A: assume the following installed toolsets:
    v143, 14.31.30919, 2022, Preview, Community
    v143, 14.31.30919, 2022, Preview, BuildTools
    v143, 14.30.30705, 2022, Release, Community
    v143, 14.30.30705, 2022, Release, BuildTools
    v142, 14.29.30133, 2022, Release, Community
    v142, 14.29.30133, 2022, Release, BuildTools
    v142, 14.29.30133, 2022, Preview, Community
    v142, 14.29.30133, 2022, Preview, BuildTools
    v142, 14.29.30133, 2019, Release, Community
    v142, 14.29.30133, 2019, Release, BuildTools
    v141, 14.16.27023, 2022, Release, Community
    v141, 14.16.27023, 2022, Release, BuildTools
    v141, 14.16.27023, 2022, Preview, Community
    v141, 14.16.27023, 2022, Preview, BuildTools
    v141, 14.16.27023, 2019, Release, Community
    v141, 14.16.27023, 2019, Release, BuildTools
    v141, 14.16.27023, 2017, Release, Community
    v141, 14.16.27023, 2017, Release, BuildTools
    v141, 14.16.27023, 2017, Release, Express
    
Assume when not specified, the default channel is MSVS_CHANNEL="Release"

1) MSVC_VERSION="14.2" => MSVS_PRODUCT="2019" using List 1
   selected: MSVS_PRODUCT="2019", MSVS_CHANNEL="Release", MSVS_COMPONENT="Community"
             buildtools="v142", toolset="14.29.30133"
             derived MSVC_VERSION=14.2
   
2) MSVC_VERSION="14.2" => MSVS_PRODUCT="2019" and MSVC_TOOLSET="14.2" using List 2A
   selected: MSVS_PRODUCT="2019", MSVS_CHANNEL="Release", MSVS_COMPONENT="Community"
             buildtools="v142", toolset="14.29.30133"
             derived MSVC_VERSION=14.2
   
3) MSVC_VERSION="14.2" => MSVC_TOOLSET="14.2" using List 2A
   selected: MSVS_PRODUCT="2022", MSVS_CHANNEL="Release", MSVS_COMPONET="Community"
             buildtools="v142", toolset="14.29.30133"
             derived MSVC_VERSION=14.2
   
*** THIS HAS NOT BEEN TESTED WITH THE CURRENT SCONS AND MAY BE MISGUIDED AND/OR ERRONEOUS ***

List 2B: assume the following installed toolsets:
    v143, 14.31.30919, 2022, Preview, Community
    v143, 14.31.30919, 2022, Preview, BuildTools
    v143, 14.30.30705, 2022, Release, Community
    v143, 14.30.30705, 2022, Release, BuildTools
    v142, 14.29.30133, 2022, Release, Community
    v142, 14.29.30133, 2022, Release, BuildTools
    v142, 14.29.30133, 2022, Preview, Community
    v142, 14.29.30133, 2022, Preview, BuildTools
    # v142 buildtools not installed in 2019, Release, Community
    # v142 buildtools not installed in 2019, Release, BuildTools
    v141, 14.16.27023, 2022, Release, Community
    v141, 14.16.27023, 2022, Release, BuildTools
    v141, 14.16.27023, 2022, Preview, Community
    v141, 14.16.27023, 2022, Preview, BuildTools
    v141, 14.16.27023, 2019, Release, Community
    v141, 14.16.27023, 2019, Release, BuildTools
    v141, 14.16.27023, 2017, Release, Community
    v141, 14.16.27023, 2017, Release, BuildTools
    v141, 14.16.27023, 2017, Release, Express

1) MSVC_VERSION="14.2" => MSVS_PRODUCT="2019" using List 1
   selected: MSVS_PRODUCT="2019", MSVS_CHANNEL="Release", MSVS_COMPONENT="Community"
             buildtools="v141", toolset="14.16.27023"
             derived MSVC_VERSION=14.1
             Inconsistency: the selected instance msvc version is 14.1 not 14.2
   
2) MSVC_VERSION="14.2" => MSVS_PRODUCT="2019" and MSVC_TOOLSET="14.2" using List 2B
   Error: No toolsets satisfy request
   
3) MSVC_VERSION="14.2" => MSVC_TOOLSET="14.2" using List 2B
   selected: MSVS_PRODUCT="2022", MSVS_CHANNEL="Release", MSVS_COMPONET="Community"
             buildtools="v142", toolset="14.29.30133"
             derived MSVC_VERSION=14.2

In the degenerate case above, method 1 appears to violate the Law of Least Astonishment.

The crux of the problem for backwards compatibility is the semantic interpretation of MSVC_VERSION when specified.

The semantic interpretation has consistency implications when MSVC_VERSION is defined and MSVS_PRODUCT and/or MSVC_TOOLSET are defined at the same time as well.

Moving forward, it would probably be better if MSVC_VERSION was derived from the selected toolset/instance rather than given as input by a user. Validating the set of user-provided arguments is significantly less difficult if MSVC_VERSION and MSVS_VERSION are removed from consideration.

I should probably actually test the degenerate case example above via a virtual machine as I may be wrong about the current SCONS implementaiton. Unfortunately, motivation is low.

Any thoughts?

@mwichmann
Copy link
Collaborator

I have a thought: my head hurts.

@LeonarddeR
Copy link

Longing to see this in a release. Is there anything that can be done to help?

@mwichmann
Copy link
Collaborator

Let's see if @jcbrill has an update - some testing might be a help, or...?

@jcbrill
Copy link
Contributor

jcbrill commented May 5, 2022

Let's see if @jcbrill has an update - some testing might be a help, or...?

Due to recent PRs accepted and a handful that are under consideration for the msvc bug scrub (https://github.com/SCons/scons/projects/13), the code in the preview branch needs to be reworked to accommodate recent changes. Specifically, #4131 accepted two days ago, refactored parts of the existing code and affected a number of my other branches.

Currently, there are 3 more outstanding PRs in and around the msvc code: #4117 and #4125 have been reviewed and are complete, #4132 needs to be reviewed further and documented. #4132 was updated yesterday for the #4131 changes and could experience a lengthy discussion period. These outstanding PRs may affect the code in the preview branch as well.

I don't expect it will take very long to bring the preview branch back up-to-date with the current main branch and pending PRs. This was a known problem with the recent proliferation of PRs all in and around the msvc code for other enhancements and the msvc bug scrub.

Once it is up-to-date, a proper PR is probably in order for a more thorough discussion of capabilities and needs. Additional feedback and testing is always welcome.

@bdbaddog
Copy link
Contributor Author

bdbaddog commented May 5, 2022

@jcbrill it seems like you could hardcode using a preview version using #4125 once that's merged?

@jcbrill
Copy link
Contributor

jcbrill commented May 5, 2022

it seems like you could hardcode using a preview version using #4125 once that's merged?

Yes you could.

It has always been possible to use a preview version via MSVC_USE_SCRIPT. It is a bit easier now with the recent addition of MSVC_USE_SCRIPT_ARGS as the script is the traditional vcvarsall.bat and the script arguments change by host/target combination. This approach might be more straightforward for an end user.

For example, VS2022 Community Preview 64-bit target on a 64-bit host:

env = Environment(
    MSVC_VERSION = '14.3',
    MSVC_USE_SCRIPT = "c:\\software\\msvs-2022-143-com-pre\\VC\\Auxiliary\\Build\\vcvarsall.bat",
    MSVC_USE_SCRIPT_ARGS = "amd64",
)

or

env = Environment(
    MSVC_VERSION = '14.3',
    MSVC_USE_SCRIPT = "c:\\software\\msvs-2022-143-com-pre\\VC\\Auxiliary\\Build\\vcvars64.bat",
)

Edit: the difference between the two approaches is that the above will still invoke the batch file and capture the environment where #4125 bypasses the detection and the environment is the input. I like to think of the utility of #4125 as the result of some sort of automation/caching on the user-side.

@bdbaddog
Copy link
Contributor Author

@jcbrill - This is still outstanding right? or did #4174 address this?

@jcbrill
Copy link
Contributor

jcbrill commented Jul 26, 2022

@bdbaddog Correct. This is still outstanding. Nothing in #4174 was to support this.

@mwichmann mwichmann modified the milestones: 4.5, NextRelease Mar 2, 2023
@LeonarddeR
Copy link

LeonarddeR commented Sep 12, 2023

Any change this can be added at some point? If there would just be a way to provide additional args to vswhere so we can provide the -prerelease argument, that would already be enough I think.

@mwichmann
Copy link
Collaborator

We've been talking about it. Whether it's as simple as VSWHERE_EXTRA_ARGS I'm not sure, @jcbrill knows most about that, the tables and lookups and caches and version permutations have gotten quite convoluted. Probably when "preview" is for 17.8 while 17.7 is current it has a better chance of working than when "preview" is for 18.0 while 17.x is current... assuming that combo actually happens. The latter case wouldn't be in any of the lookup tables until added, extra args or no.

@jcbrill
Copy link
Contributor

jcbrill commented Sep 13, 2023

Probably when "preview" is for 17.8 while 17.7 is current it has a better chance of working than when "preview" is for 18.0 while 17.x is current... assuming that combo actually happens. The latter case wouldn't be in any of the lookup tables until added, extra args or no.

This. There would likely be an unsupported version exception raised. A new product version, release or preview, has to be configured internally. However, when preview versions have "first-class" support, then the internal configuration for a new product can be done upon the availability of the preview edition since no release versions would be detected anyway.

The "best" way to proceed depends on what happens with #4409 as the vswhere query implementation is changed significantly.

One of the changes made in the PR is to replace all the individual vswhere queries with a single vswhere query for all instances. This becomes more efficient as there is a single query for all versions versus (possibly) multiple queries for each version (e.g., detection of BuildTools and Express require separate queries with different arguments). There are preview versions of the BuildTools as well as the "full" products.

A single query is easier to work with as the versions, workloads, and "channel" (release/preview) can be picked out of the output as desired. This allows implementation of a deterministic ordering of editions within each product (e.g., Enterprise, Professional, Community, BuildTools, Express). Additionally, this allows for "channel" specific lists to be constructed and queried: release, preview, and any/either (subject to a predetermined ordering within a product version) which is the desire here.

In the PR, the prerelease argument was not included simply due to the fact that it was not going to be used immediately. Some provisions have been made for supporting preview versions. The source code in the PR for the vswhere query handling was taken from the branch posted above in one of the earlier comments. Due to the age of the branch above and the evolution of the msvc code, some minor refactoring is necessary to support preview in a more straightforward manner should it be adopted.

There are other ways to accomplish the same goal, but a single vswhere query is a net gain in simplicity, flexibility, and ease of future expansion in the current code base.

The acceptance or rejection of 4409 will have an impact on how to more forward with "first-class" support for preview versions.

@jcbrill
Copy link
Contributor

jcbrill commented Sep 13, 2023

It is possible to use a preview installation via the msvc batch files directly using scons. This bypasses the scons auto-detection.

The following example is for a 2022 Community Preview build targeting amd64 using the default msvs installation location.

Environment(
    ...
    MSVC_VERSION="14.3",
    MSVC_USE_SCRIPT="c:\\program files\\microsoft visual studio\\2022\\preview\\vc\\auxiliary\\build\\vcvarsall.bat",
    MSVC_USE_SCRIPT_ARGS="amd64",
    ...
)

In this case, the MSVC_VERSION is "validated" (i.e., within expected range). The scons environment is configured for the preview tool.

This is only "portable" (i.e., for other build environments) if the build computer is using the default msvs installation paths. Otherwise, the path to vcvarsall.bat has to adjusted accordingly.

The following example is for a 2022 Community Preview build targeting amd64 using a specific toolset version:

Environment(
    ...
    MSVC_VERSION="14.3",
    MSVC_USE_SCRIPT="c:\\program files\\microsoft visual studio\\2022\\preview\\vc\\auxiliary\\build\\vcvarsall.bat",
    MSVC_USE_SCRIPT_ARGS="amd64 -vcvars_ver=14.38.32919",
    ...
)

While this may not be desirable, it is possible.

Edit: change to toolset version text for example.

@bdbaddog bdbaddog modified the milestones: 4.6, 4.7 Nov 20, 2023
@mwichmann mwichmann modified the milestones: 4.7, 4.8 Mar 21, 2024
@mwichmann mwichmann modified the milestones: 4.8, NextRelease Jul 8, 2024
@mwichmann mwichmann modified the milestones: 4.8.1, NextRelease Sep 3, 2024
@mwichmann mwichmann removed this from the NextRelease milestone Sep 17, 2024
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
enhancement MSVC Microsoft Visual C++ Support
Projects
Status: To do
Development

No branches or pull requests

4 participants