4. Utilisation de Python sur Windows
************************************

Ce document a pour but de donner une vue d'ensemble des comportements
spécifiques à Windows dont vous devriez être au courant si vous
utilisez Python sur Microsoft Windows.

Unlike most Unix systems and services, Windows does not include a
system supported installation of Python. Instead, Python can be
obtained from a number of distributors, including directly from the
CPython team. Each Python distribution will have its own benefits and
drawbacks, however, consistency with other tools you are using is
generally a worthwhile benefit. Before committing to the process
described here, we recommend investigating your existing tools to see
if they can provide Python directly.

To obtain Python from the CPython team, use the Python Install
Manager. This is a standalone tool that makes Python available as
global commands on your Windows machine, integrates with the system,
and supports updates over time. You can download the Python Install
Manager from python.org/downloads or through the Microsoft Store app.

Once you have installed the Python Install Manager, the global
"python" command can be used from any terminal to launch your current
latest version of Python. This version may change over time as you add
or remove different versions, and the "py list" command will show
which is current.

In general, we recommend that you create a virtual environment for
each project and run "<env>\Scripts\Activate" in your terminal to use
it. This provides isolation between projects, consistency over time,
and ensures that additional commands added by packages are also
available in your session. Create a virtual environment using "python
-m venv <env path>".

If the "python" or "py" commands do not seem to be working, please see
the Troubleshooting section below. There are sometimes additional
manual steps required to configure your PC.

Apart from using the Python install manager, Python can also be
obtained as NuGet packages. See Les paquets nuget.org below for more
information on these packages.

The embeddable distros are minimal packages of Python suitable for
embedding into larger applications. They can be installed using the
Python install manager. See Le paquet intégrable below for more
information on these packages.


4.1. Python install manager
===========================


4.1.1. Installation
-------------------

The Python install manager can be installed from the Microsoft Store
app or downloaded and installed from python.org/downloads. The two
versions are identical.

To install through the Store, simply click "Install". After it has
completed, open a terminal and type "python" to get started.

To install the file downloaded from python.org, either double-click
and select "Install", or run "Add-AppxPackage <path to MSIX>" in
Windows Powershell.

After installation, the "python", "py", and "pymanager" commands
should be available. If you have existing installations of Python, or
you have modified your "PATH" variable, you may need to remove them or
undo the modifications. See Troubleshooting for more help with fixing
non-working commands.

When you first install a runtime, you will likely be prompted to add a
directory to your "PATH". This is optional, if you prefer to use the
"py" command, but is offered for those who prefer the full range of
aliases (such as "python3.14.exe") to be available. The directory will
be "%LocalAppData%\Python\bin" by default, but may be customized by an
administrator. Click Start and search for "Edit environment variables
for your account" for the system settings page to add the path.

Each Python runtime you install will have its own directory for
scripts. These also need to be added to "PATH" if you want to use
them.

The Python install manager will be automatically updated to new
releases. This does not affect any installs of Python runtimes.
Uninstalling the Python install manager does not uninstall any Python
runtimes.

If you are not able to install an MSIX in your context, for example,
you are using automated deployment software that does not support it,
or are targeting Windows Server 2019, please see Advanced installation
below for more information.


4.1.2. Utilisation basique
--------------------------

The recommended command for launching Python is "python", which will
either launch the version requested by the script being launched, an
active virtual environment, or the default installed version, which
will be the latest stable release unless configured otherwise. If no
version is specifically requested and no runtimes are installed at
all, the current latest release will be installed automatically.

For all scenarios involving multiple runtime versions, the recommended
command is "py". This may be used anywhere in place of "python" or the
older "py.exe" launcher. By default, "py" matches the behaviour of
"python", but also allows command line options to select a specific
version as well as subcommands to manage installations. These are
detailed below.

Because the "py" command may already be taken by the previous version,
there is also an unambiguous "pymanager" command. Scripted installs
that are intending to use Python install manager should consider using
"pymanager", due to the lower chance of encountering a conflict with
existing installs. The only difference between the two commands is
when running without any arguments: "py" will launch your default
interpreter, while "pymanager" will display help ("pymanager exec ..."
provides equivalent behaviour to "py ...").

Each of these commands also has a windowed version that avoids
creating a console window. These are "pyw", "pythonw" and
"pymanagerw". A "python3" command is also included that mimics the
"python" command. It is intended to catch accidental uses of the
typical POSIX command on Windows, but is not meant to be widely used
or recommended.

To launch your default runtime, run "python" or "py" with the
arguments you want to be passed to the runtime (such as script files
or the module to launch):

   $> py
   ...
   $> python my-script.py
   ...
   $> py -m this
   ...

The default runtime can be overridden with the
"PYTHON_MANAGER_DEFAULT" environment variable, or a configuration
file. See Configuration for information about configuration settings.

To launch a specific runtime, the "py" command accepts a "-V:<TAG>"
option. This option must be specified before any others. The tag is
part or all of the identifier for the runtime; for those from the
CPython team, it looks like the version, potentially with the
platform. For compatibility, the "V:" may be omitted in cases where
the tag refers to an official release and starts with "3".

   $> py -V:3.14 ...
   $> py -V:3-arm64 ...

Runtimes from other distributors may require the *company* to be
included as well. This should be separated from the tag by a slash,
and may be a prefix. Specifying the company is optional when it is
"PythonCore", and specifying the tag is optional (but not the slash)
when you want the latest release from a specific company.

   $> py -V:Distributor\1.0 ...
   $> py -V:distrib/ ...

If no version is specified, but a script file is passed, the script
will be inspected for a *shebang line*. This is a special format for
the first line in a file that allows overriding the command. See
Shebang lines for more information. When there is no shebang line, or
it cannot be resolved, the script will be launched with the default
runtime.

If you are running in an active virtual environment, have not
requested a particular version, and there is no shebang line, the
default runtime will be that virtual environment. In this scenario,
the "python" command was likely already overridden and none of these
checks occurred. However, this behaviour ensures that the "py" command
can be used interchangeably.

When no runtimes are installed, any launch command will try to install
the requested version and launch it. However, after any version is
installed, only the "py exec ..." and "pymanager exec ..." commands
will install if the requested version is absent. Other forms of
commands will display an error and direct you to use "py install"
first.


4.1.3. Command help
-------------------

The "py help" command will display the full list of supported
commands, along with their options. Any command may be passed the "-?"
option to display its help, or its name passed to "py help".

   $> py help
   $> py help install
   $> py install /?

All commands support some common options, which will be shown by "py
help". These options must be specified after any subcommand.
Specifying "-v" or "--verbose" will increase the amount of output
shown, and "-vv" will increase it further for debugging purposes.
Passing "-q" or "--quiet" will reduce output, and "-qq" will reduce it
further.

The "--config=<PATH>" option allows specifying a configuration file to
override multiple settings at once. See Configuration below for more
information about these files.


4.1.4. Listing runtimes
-----------------------

   $> py list [-f=|--format=<FMT>] [-1|--one] [--online|-s=|--source=<URL>] [<TAG>...]

The list of installed runtimes can be seen using "py list". A filter
may be added in the form of one or more tags (with or without company
specifier), and each may include a "<", "<=", ">=" or ">" prefix to
restrict to a range.

A range of formats are supported, and can be passed as the "--
format=<FMT>" or "-f <FMT>" option. Formats include "table" (a user
friendly table view), "csv" (comma-separated table), "json" (a single
JSON blob), "jsonl" (one JSON blob per result), "exe" (just the
executable path), "prefix" (just the prefix path).

The "--one" or "-1" option only displays a single result. If the
default runtime is included, it will be the one. Otherwise, the "best"
result is shown ("best" is deliberately vaguely defined, but will
usually be the most recent version). The result shown by "py list
--one <TAG>" will match the runtime that would be launched by "py
-V:<TAG>".

The "--only-managed" option excludes results that were not installed
by the Python install manager. This is useful when determining which
runtimes may be updated or uninstalled through the "py" command.

The "--online" option is short for passing "--source=<URL>" with the
default source. Passing either of these options will search the online
index for runtimes that can be installed. The result shown by "py list
--online --one <TAG>" will match the runtime that would be installed
by "py install <TAG>".

   $> py list --online 3.14

For compatibility with the old launcher, the "--list", "--list-paths",
"-0" and "-0p" commands (e.g. "py -0p") are retained. They do not
allow additional options, and will produce legacy formatted output.


4.1.5. Installing runtimes
--------------------------

   $> py install [-s=|--source=<URL>] [-f|--force] [-u|--update] [--dry-run] [<TAG>...]

New runtime versions may be added using "py install". One or more tags
may be specified, and the special tag "default" may be used to select
the default. Ranges are not supported for installation.

The "--source=<URL>" option allows overriding the online index that is
used to obtain runtimes. This may be used with an offline index, as
shown in Offline installs.

Passing "--force" will ignore any cached files and remove any existing
install to replace it with the specified one.

Passing "--update" will replace existing installs if the new version
is newer. Otherwise, they will be left. If no tags are provided with "
--update", all installs managed by the Python install manager will be
updated if newer versions are available. Updates will remove any
modifications made to the install, including globally installed
packages, but virtual environments will continue to work.

Passing "--dry-run" will generate output and logs, but will not modify
any installs.

In addition to the above options, the "--target" option will extract
the runtime to the specified directory instead of doing a normal
install. This is useful for embedding runtimes into larger
applications. Unlike a normal install, "py" will not be aware of the
extracted runtime, and no Start menu or other shortcuts will be
created. To launch the runtime, directly execute the main executable
(typically "python.exe") in the target directory.

   $> py install ... [-t=|--target=<PATH>] <TAG>

The "py exec" command will install the requested runtime if it is not
already present. This is controlled by the "automatic_install"
configuration ("PYTHON_MANAGER_AUTOMATIC_INSTALL"), and is enabled by
default. If no runtimes are available at all, all launch commands will
do an automatic install if the configuration setting allows. This is
to ensure a good experience for new users, but should not generally be
relied on rather than using the "py exec" command or explicit install
commands.


4.1.6. Offline installs
-----------------------

To perform offline installs of Python, you will need to first create
an offline index on a machine that has network access.

   $> py install --download=<PATH> ... <TAG>...

The "--download=<PATH>" option will download the packages for the
listed tags and create a directory containing them and an "index.json"
file suitable for later installation. This entire directory can be
moved to the offline machine and used to install one or more of the
bundled runtimes:

   $> py install --source="<PATH>\index.json" <TAG>...

The Python install manager can be installed by downloading its
installer and moving it to another machine before installing.

Alternatively, the ZIP files in an offline index directory can simply
be transferred to another machine and extracted. This will not
register the install in any way, and so it must be launched by
directly referencing the executables in the extracted directory, but
it is sometimes a preferable approach in cases where installing the
Python install manager is not possible or convenient.

In this way, Python runtimes can be installed and managed on a machine
without access to the internet.


4.1.7. Uninstalling runtimes
----------------------------

   $> py uninstall [-y|--yes] <TAG>...

Runtimes may be removed using the "py uninstall" command. One or more
tags must be specified. Ranges are not supported here.

The "--yes" option bypasses the confirmation prompt before
uninstalling.

Instead of passing tags individually, the "--purge" option may be
specified. This will remove all runtimes managed by the Python install
manager, including cleaning up the Start menu, registry, and any
download caches. Runtimes that were not installed by the Python
install manager will not be impacted, and neither will manually
created configuration files.

   $> py uninstall [-y|--yes] --purge

The Python install manager can be uninstalled through the Windows
"Installed apps" settings page. This does not remove any runtimes, and
they will still be usable, though the global "python" and "py"
commands will be removed. Reinstalling the Python install manager will
allow you to manage these runtimes again. To completely clean up all
Python runtimes, run with "--purge" before uninstalling the Python
install manager.


4.1.8. Configuration
--------------------

Python install manager is configured with a hierarchy of configuration
files, environment variables, command-line options, and registry
settings. In general, configuration files have the ability to
configure everything, including the location of other configuration
files, while registry settings are administrator-only and will
override configuration files. Command-line options override all other
settings, but not every option is available.

This section will describe the defaults, but be aware that modified or
overridden installs may resolve settings differently.

A global configuration file may be configured by an administrator, and
would be read first. The user configuration file is stored at
"%AppData%\Python\pymanager.json" (note that this location is under
"Roaming", not "Local") and is read next, overwriting any settings
from earlier files. An additional configuration file may be specified
as the "PYTHON_MANAGER_CONFIG" environment variable or the "--config"
command line option (but not both). These locations may be modified by
administrative customization options listed later.

The following settings are those that are considered likely to be
modified in normal use. Later sections list those that are intended
for administrative customization.

-[ Standard configuration options ]-

+-----------------------------------+-----------------------------------+-----------------------------------+
| Config Key                        | Environment Variable              | Description                       |
|===================================|===================================|===================================|
| "default_tag"                     | PYTHON_MANAGER_DEFAULT            | The preferred default version to  |
|                                   |                                   | launch or install. By default,    |
|                                   |                                   | this is interpreted as the most   |
|                                   |                                   | recent non-prerelease version     |
|                                   |                                   | from the CPython team.            |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "default_platform"                | "PYTHON_MANAGER_DEFAULT_PLATFORM" | The preferred default platform to |
|                                   |                                   | launch or install. This is        |
|                                   |                                   | treated as a suffix to the        |
|                                   |                                   | specified tag, such that "py      |
|                                   |                                   | -V:3.14" would prefer an install  |
|                                   |                                   | for "3.14-64" if it exists (and   |
|                                   |                                   | "default_platform" is "-64"), but |
|                                   |                                   | will use "3.14" if no tagged      |
|                                   |                                   | install exists.                   |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "logs_dir"                        | "PYTHON_MANAGER_LOGS"             | The location where log files are  |
|                                   |                                   | written. By default, "%TEMP%".    |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "automatic_install"               | PYTHON_MANAGER_AUTOMATIC_INSTALL  | True to allow automatic installs  |
|                                   |                                   | when using "py exec" to launch    |
|                                   |                                   | (or "py" when no runtimes are     |
|                                   |                                   | installed yet). Other commands    |
|                                   |                                   | will not automatically install,   |
|                                   |                                   | regardless of this setting. By    |
|                                   |                                   | default, true.                    |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "include_unmanaged"               | "PYTHON_MANAGER_INCLUDE_UNMANAGE  | True to allow listing and         |
|                                   | D"                                | launching runtimes that were not  |
|                                   |                                   | installed by the Python install   |
|                                   |                                   | manager, or false to exclude      |
|                                   |                                   | them. By default, true.           |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "shebang_can_run_anything"        | "PYTHON_MANAGER_SHEBANG_CAN_RUN_  | True to allow shebangs in ".py"   |
|                                   | ANYTHING"                         | files to launch applications      |
|                                   |                                   | other than Python runtimes, or    |
|                                   |                                   | false to prevent it. By default,  |
|                                   |                                   | true.                             |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "log_level"                       | "PYMANAGER_VERBOSE",              | Set the default level of output   |
|                                   | "PYMANAGER_DEBUG"                 | (0-50). By default, 20. Lower     |
|                                   |                                   | values produce more output. The   |
|                                   |                                   | environment variables are         |
|                                   |                                   | boolean, and may produce          |
|                                   |                                   | additional output during startup  |
|                                   |                                   | that is later suppressed by other |
|                                   |                                   | configuration.                    |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "confirm"                         | "PYTHON_MANAGER_CONFIRM"          | True to confirm certain actions   |
|                                   |                                   | before taking them (such as       |
|                                   |                                   | uninstall), or false to skip the  |
|                                   |                                   | confirmation. By default, true.   |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "install.source"                  | "PYTHON_MANAGER_SOURCE_URL"       | Override the index feed to obtain |
|                                   |                                   | new installs from.                |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "list.format"                     | "PYTHON_MANAGER_LIST_FORMAT"      | Specify the default format used   |
|                                   |                                   | by the "py list" command. By      |
|                                   |                                   | default, "table".                 |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "install_dir"                     | (none)                            | Specify the root directory that   |
|                                   |                                   | runtimes will be installed into.  |
|                                   |                                   | If you change this setting,       |
|                                   |                                   | previously installed runtimes     |
|                                   |                                   | will not be usable unless you     |
|                                   |                                   | move them to the new location.    |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "global_dir"                      | (none)                            | Specify the directory where       |
|                                   |                                   | global commands (such as          |
|                                   |                                   | "python3.14.exe") are stored.     |
|                                   |                                   | This directory should be added to |
|                                   |                                   | your "PATH" to make the commands  |
|                                   |                                   | available from your terminal.     |
+-----------------------------------+-----------------------------------+-----------------------------------+
| "download_dir"                    | (none)                            | Specify the directory where       |
|                                   |                                   | downloaded files are stored. This |
|                                   |                                   | directory is a temporary cache,   |
|                                   |                                   | and can be cleaned up from time   |
|                                   |                                   | to time.                          |
+-----------------------------------+-----------------------------------+-----------------------------------+

Dotted names should be nested inside JSON objects, for example,
"list.format" would be specified as "{"list": {"format": "table"}}".


4.1.9. Shebang lines
--------------------

If the first line of a script file starts with "#!", it is known as a
"shebang" line.  Linux and other Unix like operating systems have
native support for such lines and they are commonly used on such
systems to indicate how a script should be executed. The "python" and
"py" commands allow the same facilities to be used with Python scripts
on Windows.

To allow shebang lines in Python scripts to be portable between Unix
and Windows, a number of 'virtual' commands are supported to specify
which interpreter to use.  The supported virtual commands are:

* "/usr/bin/env <ALIAS>"

* "/usr/bin/env -S <ALIAS>"

* "/usr/bin/<ALIAS>"

* "/usr/local/bin/<ALIAS>"

* "<ALIAS>"

Par exemple, si la première ligne de votre script commence par

   #! /usr/bin/python

The default Python or an active virtual environment will be located
and used. As many Python scripts written to work on Unix will already
have this line, you should find these scripts can be used by the
launcher without modification. If you are writing a new script on
Windows which you hope will be useful on Unix, you should use one of
the shebang lines starting with "/usr".

Any of the above virtual commands can have "<ALIAS>" replaced by an
alias from an installed runtime. That is, any command generated in the
global aliases directory (which you may have added to your "PATH"
environment variable) can be used in a shebang, even if it is not on
your "PATH". This allows the use of shebangs like
"/usr/bin/python3.12" to select a particular runtime.

If no runtimes are installed, or if automatic installation is enabled,
the requested runtime will be installed if necessary. See
Configuration for information about configuration settings.

The "/usr/bin/env" form of shebang line will also search the "PATH"
environment variable for unrecognized commands. This corresponds to
the behaviour of the Unix "env" program, which performs the same
search, but prefers launching known Python commands. A warning may be
displayed when searching for arbitrary executables, and this search
may be disabled by the "shebang_can_run_anything" configuration
option.

Shebang lines that do not match any of patterns are treated as
*Windows* executable paths that are absolute or relative to the
directory containing the script file. This is a convenience for
Windows-only scripts, such as those generated by an installer, since
the behavior is not compatible with Unix-style shells. These paths may
be quoted, and may include multiple arguments, after which the path to
the script and any additional arguments will be appended. This
functionality may be disabled by the "shebang_can_run_anything"
configuration option.

Note:

  The behaviour of shebangs in the Python install manager is subtly
  different from the previous "py.exe" launcher, and the old
  configuration options no longer apply. If you are specifically
  reliant on the old behaviour or configuration, we recommend
  installing the legacy launcher. The legacy launcher's "py" command
  will override PyManager's one by default, and you will need to use
  "pymanager" commands for installing and uninstalling.


4.1.10. Advanced installation
-----------------------------

For situations where an MSIX cannot be installed, such as some older
administrative distribution platforms, there is an MSI available from
the python.org downloads page. This MSI has no user interface, and can
only perform per-machine installs to its default location in Program
Files. It will attempt to modify the system "PATH" environment
variable to include this install location, but be sure to validate
this on your configuration.

Note:

  Windows Server 2019 is the only version of Windows that CPython
  supports that does not support MSIX. For Windows Server 2019, you
  should use the MSI.

Be aware that the MSI package does not bundle any runtimes, and so is
not suitable for installs into offline environments without also
creating an offline install index. See Offline installs and
Administrative configuration for information on handling these
scenarios.

Runtimes installed by the MSI are shared with those installed by the
MSIX, and are all per-user only. The Python install manager does not
support installing runtimes per-machine. To emulate a per-machine
install, you can use "py install --target=<shared location>" as
administrator and add your own system-wide modifications to "PATH",
the registry, or the Start menu.

When the MSIX is installed, but commands are not available in the
"PATH" environment variable, they can be found under "%LocalAppData%\
Microsoft\WindowsApps\PythonSoftwareFoundation.PythonManager_3847v3x7
pw1km" or "%LocalAppData%\Microsoft\WindowsApps\PythonSoftwareFoundat
ion.PythonManager_qbz5n2kfra8p0", depending on whether it was
installed from python.org or through the Windows Store. Attempting to
run the executable directly from Program Files is not recommended.

To programmatically install the Python install manager, it is easiest
to use WinGet, which is included with all supported versions of
Windows:

   $> winget install 9NQ7512CXL7T -e --accept-package-agreements --disable-interactivity

   # Optionally run the configuration checker and accept all changes
   $> py install --configure -y

To download the Python install manager and install on another machine,
the following WinGet command will download the required files from the
Store to your Downloads directory (add "-d <location>" to customize
the output location). This also generates a YAML file that appears to
be unnecessary, as the downloaded MSIX can be installed by launching
or using the commands below.

   $> winget download 9NQ7512CXL7T -e --skip-license --accept-package-agreements --accept-source-agreements

To programmatically install or uninstall an MSIX using only
PowerShell, the Add-AppxPackage and Remove-AppxPackage PowerShell
cmdlets are recommended:

   $> Add-AppxPackage C:\Downloads\python-manager-25.0.msix
   ...
   $> Get-AppxPackage PythonSoftwareFoundation.PythonManager | Remove-AppxPackage

The latest release can be downloaded and installed by Windows by
passing the AppInstaller file to the Add-AppxPackage command. This
installs using the MSIX on python.org, and is only recommended for
cases where installing via the Store (interactively or using WinGet)
is not possible.

   $> Add-AppxPackage -AppInstallerFile https://www.python.org/ftp/python/pymanager/pymanager.appinstaller

Other tools and APIs may also be used to provision an MSIX package for
all users on a machine, but Python does not consider this a supported
scenario. We suggest looking into the PowerShell Add-
AppxProvisionedPackage cmdlet, the native Windows PackageManager
class, or the documentation and support for your deployment tool.

Regardless of the install method, users will still need to install
their own copies of Python itself, as there is no way to trigger those
installs without being a logged in user. When using the MSIX, the
latest version of Python will be available for all users to install
without network access.

Note that the MSIX downloadable from the Store and from the Python
website are subtly different and cannot be installed at the same time.
Wherever possible, we suggest using the above WinGet commands to
download the package from the Store to reduce the risk of setting up
conflicting installs. There are no licensing restrictions on the
Python install manager that would prevent using the Store package in
this way.


4.1.11. Administrative configuration
------------------------------------

There are a number of options that may be useful for administrators to
override configuration of the Python install manager. These can be
used to provide local caching, disable certain shortcut types,
override bundled content. All of the above configuration options may
be set, as well as those below.

Configuration options may be overridden in the registry by setting
values under "HKEY_LOCAL_MACHINE\Software\Policies\Python\PyManager",
where the value name matches the configuration key and the value type
is "REG_SZ". Note that this key can itself be customized, but only by
modifying the core config file distributed with the Python install
manager. We recommend, however, that registry values are used only to
set "base_config" to a JSON file containing the full set of overrides.
Registry key overrides will replace any other configured setting,
while "base_config" allows users to further modify settings they may
need.

Note that most settings with environment variables support those
variables because their default setting specifies the variable. If you
override them, the environment variable will no longer work, unless
you override it with another one. For example, the default value of
"confirm" is literally "%PYTHON_MANAGER_CONFIRM%", which will resolve
the variable at load time. If you override the value to "yes", then
the environment variable will no longer be used. If you override the
value to "%CONFIRM%", then that environment variable will be used
instead.

Configuration settings that are paths are interpreted as relative to
the directory containing the configuration file that specified them.

-[ Administrative configuration options ]-

+----------------------------------------------------+----------------------------------------------------+
| Config Key                                         | Description                                        |
|====================================================|====================================================|
| "base_config"                                      | The highest priority configuration file to read.   |
|                                                    | Note that only the built-in configuration file and |
|                                                    | the registry can modify this setting.              |
+----------------------------------------------------+----------------------------------------------------+
| "user_config"                                      | The second configuration file to read.             |
+----------------------------------------------------+----------------------------------------------------+
| "additional_config"                                | The third configuration file to read.              |
+----------------------------------------------------+----------------------------------------------------+
| "registry_override_key"                            | Registry location to check for overrides. Note     |
|                                                    | that only the built-in configuration file can      |
|                                                    | modify this setting.                               |
+----------------------------------------------------+----------------------------------------------------+
| "bundled_dir"                                      | Read-only directory containing locally cached      |
|                                                    | files.                                             |
+----------------------------------------------------+----------------------------------------------------+
| "install.fallback_source"                          | Path or URL to an index to consult when the main   |
|                                                    | index cannot be accessed.                          |
+----------------------------------------------------+----------------------------------------------------+
| "install.enable_shortcut_kinds"                    | Comma-separated list of shortcut kinds to allow    |
|                                                    | (e.g. ""pep514,start""). Enabled shortcuts may     |
|                                                    | still be disabled by "disable_shortcut_kinds".     |
+----------------------------------------------------+----------------------------------------------------+
| "install.disable_shortcut_kinds"                   | Comma-separated list of shortcut kinds to exclude  |
|                                                    | (e.g. ""pep514,start""). Disabled shortcuts are    |
|                                                    | not reactivated by "enable_shortcut_kinds".        |
+----------------------------------------------------+----------------------------------------------------+
| "pep514_root"                                      | Registry location to read and write PEP 514        |
|                                                    | entries into. By default,                          |
|                                                    | "HKEY_CURRENT_USER\Software\Python".               |
+----------------------------------------------------+----------------------------------------------------+
| "start_folder"                                     | Start menu folder to write shortcuts into. By      |
|                                                    | default, "Python". This path is relative to the    |
|                                                    | user's Programs folder.                            |
+----------------------------------------------------+----------------------------------------------------+
| "virtual_env"                                      | Path to the active virtual environment. By         |
|                                                    | default, this is "%VIRTUAL_ENV%", but may be set   |
|                                                    | empty to disable venv detection.                   |
+----------------------------------------------------+----------------------------------------------------+
| "shebang_can_run_anything_silently"                | True to suppress visible warnings when a shebang   |
|                                                    | launches an application other than a Python        |
|                                                    | runtime.                                           |
+----------------------------------------------------+----------------------------------------------------+


4.1.12. Installing free-threaded binaries
-----------------------------------------

Ajouté dans la version 3.13.

Pre-built distributions of the free-threaded build are available by
installing tags with the "t" suffix.

   $> py install 3.14t
   $> py install 3.14t-arm64
   $> py install 3.14t-32

This will install and register as normal. If you have no other
runtimes installed, then "python" will launch this one. Otherwise, you
will need to use "py -V:3.14t ..." or, if you have added the global
aliases directory to your "PATH" environment variable, the
"python3.14t.exe" commands.


4.1.13. Troubleshooting
-----------------------

If your Python install manager does not seem to be working correctly,
please work through these tests and fixes to see if it helps. If not,
please report an issue at our bug tracker, including any relevant log
files (written to your "%TEMP%" directory by default).

-[ Troubleshooting ]-

+----------------------------------------------------+----------------------------------------------------+
| Symptom                                            | Things to try                                      |
|====================================================|====================================================|
| "python" gives me a "command not found" error or   | Did you install the Python install manager?        |
| opens the Store app when I type it in my terminal. |                                                    |
+----------------------------------------------------+----------------------------------------------------+
|                                                    | Click Start, open "Manage app execution aliases",  |
|                                                    | and check that the aliases for "Python (default)"  |
|                                                    | are enabled. If they already are, try disabling    |
|                                                    | and re-enabling to refresh the command. The        |
|                                                    | "Python (default windowed)" and "Python install    |
|                                                    | manager" commands may also need refreshing.        |
+----------------------------------------------------+----------------------------------------------------+
|                                                    | Check that the "py" and "pymanager" commands work. |
+----------------------------------------------------+----------------------------------------------------+
|                                                    | Ensure your "PATH" variable contains the entry for |
|                                                    | "%UserProfile%\AppData\Local\Microsoft\WindowsApp  |
|                                                    | s". The operating system includes this entry once  |
|                                                    | by default, after other user paths. If removed,    |
|                                                    | shortcuts will not be found.                       |
+----------------------------------------------------+----------------------------------------------------+
| "py" gives me a "command not found" error when I   | Did you install the Python install manager?        |
| type it in my terminal.                            |                                                    |
+----------------------------------------------------+----------------------------------------------------+
|                                                    | Click Start, open "Manage app execution aliases",  |
|                                                    | and check that the aliases for "Python (default)"  |
|                                                    | are enabled. If they already are, try disabling    |
|                                                    | and re-enabling to refresh the command. The        |
|                                                    | "Python (default windowed)" and "Python install    |
|                                                    | manager" commands may also need refreshing.        |
+----------------------------------------------------+----------------------------------------------------+
|                                                    | Ensure your "PATH" variable contains the entry for |
|                                                    | "%UserProfile%\AppData\Local\Microsoft\WindowsApp  |
|                                                    | s". The operating system includes this entry once  |
|                                                    | by default, after other user paths. If removed,    |
|                                                    | shortcuts will not be found.                       |
+----------------------------------------------------+----------------------------------------------------+
| "py" gives me a "can't open file" error when I     | This usually means you have the legacy launcher    |
| type commands in my terminal.                      | installed and it has priority over the Python      |
|                                                    | install manager. To remove, click Start, open      |
|                                                    | "Installed apps", search for "Python launcher" and |
|                                                    | uninstall it.                                      |
+----------------------------------------------------+----------------------------------------------------+
| "python" doesn't launch the same runtime as "py"   | Click Start, open "Installed apps", look for any   |
|                                                    | existing Python runtimes, and either remove them   |
|                                                    | or Modify and disable the "PATH" options.          |
+----------------------------------------------------+----------------------------------------------------+
|                                                    | Click Start, open "Manage app execution aliases",  |
|                                                    | and check that your "python.exe" alias is set to   |
|                                                    | "Python (default)"                                 |
+----------------------------------------------------+----------------------------------------------------+
| "python" and "py" don't launch the runtime I       | Check your "PYTHON_MANAGER_DEFAULT" environment    |
| expect                                             | variable or "default_tag" configuration. The "py   |
|                                                    | list" command will show your default based on      |
|                                                    | these settings.                                    |
+----------------------------------------------------+----------------------------------------------------+
|                                                    | Installs that are managed by the Python install    |
|                                                    | manager will be chosen ahead of unmanaged          |
|                                                    | installs. Use "py install" to install the runtime  |
|                                                    | you expect, or configure your default tag.         |
+----------------------------------------------------+----------------------------------------------------+
|                                                    | Prerelease and experimental installs that are not  |
|                                                    | managed by the Python install manager may be       |
|                                                    | chosen ahead of stable releases. Configure your    |
|                                                    | default tag or uninstall the prerelease runtime    |
|                                                    | and reinstall it using "py install".               |
+----------------------------------------------------+----------------------------------------------------+
| "pythonw" or "pyw" don't launch the same runtime   | Click Start, open "Manage app execution aliases",  |
| as "python" or "py"                                | and check that your "pythonw.exe" and "pyw.exe"    |
|                                                    | aliases are consistent with your others.           |
+----------------------------------------------------+----------------------------------------------------+
| "pip" gives me a "command not found" error when I  | Have you activated a virtual environment? Run the  |
| type it in my terminal.                            | ".venv\Scripts\activate" script in your terminal   |
|                                                    | to activate.                                       |
+----------------------------------------------------+----------------------------------------------------+
|                                                    | The package may be available but missing the       |
|                                                    | generated executable. We recommend using the       |
|                                                    | "python -m pip" command instead, or alternatively  |
|                                                    | the "python -m pip install --force pip" command    |
|                                                    | will recreate the executables and show you the     |
|                                                    | path to add to "PATH". These scripts are separated |
|                                                    | for each runtime, and so you may need to add       |
|                                                    | multiple paths.                                    |
+----------------------------------------------------+----------------------------------------------------+
| Typing "script-name.py" in the terminal opens in a | This is a known limitation of the operating        |
| new window.                                        | system. Either specify "py" before the script      |
|                                                    | name, create a batch file containing "@py          |
|                                                    | "%~dpn0.py" %*" with the same name as the script,  |
|                                                    | or install the legacy launcher and select it as    |
|                                                    | the association for scripts.                       |
+----------------------------------------------------+----------------------------------------------------+
| Drag-dropping files onto a script doesn't work     | This is a known limitation of the operating        |
|                                                    | system. It is supported with the legacy launcher,  |
|                                                    | or with the Python install manager when installed  |
|                                                    | from the MSI.                                      |
+----------------------------------------------------+----------------------------------------------------+
| I have installed the Python install manager        | It is possible to install from the Store or        |
| multiple times.                                    | WinGet, from the MSIX on the Python website, and   |
|                                                    | from the MSI, all at once. They are all compatible |
|                                                    | and will share configuration and runtimes.         |
+----------------------------------------------------+----------------------------------------------------+
|                                                    | See the earlier Advanced installation section for  |
|                                                    | ways to uninstall the install manager other than   |
|                                                    | the typical Installed Apps (Add and Remove         |
|                                                    | Programs) settings page.                           |
+----------------------------------------------------+----------------------------------------------------+
| My old "py.ini" settings no longer work.           | The new Python install manager no longer supports  |
|                                                    | this configuration file or its settings, and so it |
|                                                    | will be ignored. See Configuration for information |
|                                                    | about configuration settings.                      |
+----------------------------------------------------+----------------------------------------------------+


4.2. Le paquet intégrable
=========================

Ajouté dans la version 3.5.

La distribution embarquée est un fichier ZIP contenant un
environnement Python minimal. Il est destiné à agir dans le cadre
d'une autre application, plutôt que d'être directement accessible par
les utilisateurs finaux.

To install an embedded distribution, we recommend using "py install"
with the "--target" option:

   $> py install 3.14-embed --target=<directory>

When extracted, the embedded distribution is (almost) fully isolated
from the user's system, including environment variables, system
registry settings, and installed packages. The standard library is
included as pre-compiled and optimized ".pyc" files in a ZIP, and
"python3.dll", "python313.dll", "python.exe" and "pythonw.exe" are all
provided. Tcl/tk (including all dependents, such as Idle), pip and the
Python documentation are not included.

A default "._pth" file is included, which further restricts the
default search paths (as described below in Recherche de modules).
This file is intended for embedders to modify as necessary.

Les paquets tiers doivent être installés par le programme
d'installation de l'application parallèlement à la distribution
embarquée. L'utilisation de pip pour gérer les dépendances comme pour
une installation Python régulière n'est pas prise en charge avec cette
distribution, mais il reste possible d'inclure et d'utiliser pip pour
les mises à jour automatiques. En général, les paquets tiers doivent
être traités dans le cadre de l'application (*vendoring*) afin que le
développeur puisse assurer la compatibilité avec les versions plus
récentes avant de fournir des mises à jour aux utilisateurs.

Les deux cas d'utilisation recommandés pour cette distribution sont
décrits ci-dessous.


4.2.1. Python application
-------------------------

Une application écrite en Python n'exige pas nécessairement que les
utilisateurs soient au courant de ce fait. La distribution embarquée
peut être utilisée dans ce cas pour inclure une version privée de
Python dans un package d'installation. Selon la façon dont il devrait
être transparent (ou inversement, à quel point il doit paraître
professionnel), il y a deux options.

L'utilisation d'un exécutable spécialisé en tant que lanceur nécessite
de la programmation, mais fournit l'expérience la plus transparente
pour les utilisateurs. Avec un lanceur personnalisé, il n'y a pas
d'indications évidentes que le programme s'exécute sur Python : les
icônes peuvent être personnalisées, les informations de la société et
de la version peuvent être spécifiées, et les associations de fichiers
se comportent correctement. Dans la plupart des cas, un lanceur
personnalisé devrait simplement pouvoir appeler "Py_Main" avec une
ligne de commande codée en dur.

L'approche la plus simple consiste à fournir un fichier batch ou un
raccourci généré qui appelle directement le "python.exe" ou
"pythonw.exe" avec les arguments de ligne de commande requis. Dans ce
cas, l'application semble être Python et non son nom réel, et les
utilisateurs peuvent avoir du mal à le distinguer des autres processus
Python en cours d'exécution ou des associations de fichiers.

Avec cette dernière approche, les packages doivent être installés en
tant que répertoires à côté de l'exécutable Python pour s'assurer
qu'ils soient visibles par Python. Avec le lanceur spécialisé, les
paquets peuvent être installés dans d'autres emplacements car il y a
une possibilité de spécifier le chemin de recherche avant de lancer
l'application.


4.2.2. Embarquer Python
-----------------------

Les applications écrites en code natif nécessitent souvent une
certaine forme de langage de *scripting*, et la distribution Python
intégrée peut être utilisée à cette fin. En général, la majorité de
l'application est dans le code natif, qui soit invoque "python.exe"
soit utilise directement "python3.dll". Dans les deux cas,
l'extraction de la distribution intégrée dans un sous-répertoire de
l'installation de l'application est suffisante pour fournir un
interpréteur Python chargeable.

Comme pour l'utilisation de l'application, les paquets peuvent être
installés sur n'importe quel emplacement, car il est possible de
spécifier des chemins de recherche avant d'initialiser l'interpréteur.
Sinon, il n'y a pas de différences fondamentales entre l'utilisation
de la distribution embarquée et une installation classique.


4.3. Les paquets *nuget.org*
============================

Ajouté dans la version 3.5.2.

Le paquet *nuget.org* est un environnement Python de taille réduite
destiné à être utilisé sur des systèmes d'intégration et de génération
continus qui n'ont pas Python d'installé. Alors que *nuget* est “le
gestionnaire de package pour .NET”, il fonctionne également
parfaitement bien pour les packages contenant des outils de *build-
time*.

Visitez nuget.org pour les informations les plus à jour sur
l'utilisation de *nuget*. Ce qui suit est un résumé suffisant pour les
développeurs Python.

L'outil de ligne de commande "nuget.exe" peut être téléchargé
directement à partir de "https://aka.ms/nugetclidl", par exemple, à
l'aide de *curl* ou de PowerShell. Avec l'outil, la dernière version
de Python pour les machines 64 bits ou 32 bits est installée à l'aide
de :

   nuget.exe install python -ExcludeVersion -OutputDirectory .
   nuget.exe install pythonx86 -ExcludeVersion -OutputDirectory .

Pour sélectionner une version particulière, ajoutez un "-Version
3.x.y". Le répertoire d'installation être modifié (de "."), et le
paquet sera installé dans un sous-répertoire. Par défaut, le sous-
répertoire est nommé comme le paquet, et sans l'option
"-ExcludeVersion", ce nom inclura la version spécifique installée. À
l'intérieur du sous-répertoire se trouve un répertoire "tools" qui
contient l'installation Python :

   # Without -ExcludeVersion
   > .\python.3.5.2\tools\python.exe -V
   Python 3.5.2

   # With -ExcludeVersion
   > .\python\tools\python.exe -V
   Python 3.5.2

En général, les paquets *nuget* ne peuvent pas êtres mis à jour et les
versions plus récentes doivent être installées côte à côte et
référencées à l'aide du chemin d'accès complet. Vous pouvez également
supprimer le répertoire du paquet manuellement et l'installer à
nouveau. De nombreux systèmes CI le feront automatiquement s'ils ne
conservent pas les fichiers entre les *builds*.

À côté du répertoire "tools" est un répertoire "build\native". Il
contient un fichier de propriétés MSBuild "python.props" qui peut être
utilisé dans un projet C++ pour référencer l'installation de Python.
L'inclusion des paramètres utilisera automatiquement les en-têtes et
les bibliothèques d'importation dans votre *build*.

The package information pages on nuget.org are
www.nuget.org/packages/python for the 64-bit version,
www.nuget.org/packages/pythonx86 for the 32-bit version, and
www.nuget.org/packages/pythonarm64 for the ARM64 version


4.3.1. Free-threaded packages
-----------------------------

Ajouté dans la version 3.13.

Packages containing free-threaded binaries are named python-
freethreaded for the 64-bit version, pythonx86-freethreaded for the
32-bit version, and pythonarm64-freethreaded for the ARM64 version.
These packages contain both the "python3.13t.exe" and "python.exe"
entry points, both of which run free threaded.


4.4. Paquets alternatifs
========================

À part la distribution standard CPython, il y a des paquets modifiés
incluant des fonctionnalités additionnelles. La liste qui suit est une
liste de versions populaires et de leurs fonctionnalités principales :

ActivePython
   Installateur avec une compatibilité multiplateforme, de la
   documentation, et *PyWin32*

Anaconda
   Des modules scientifiques populaires (comme *numpy*, *scipy* et
   *pandas*) et le gestionnaire de paquets "conda".

Enthought Deployment Manager
   « L’environnement Python et gestionnaire de paquets de nouvelle
   génération ».

   Auparavant, Enthought fournissait Canopy, mais celui-ci est arrivé
   en fin de vie en 2016.

WinPython
   Distribution spécifique à Windows avec des paquets scientifiques
   pré-compilés et des outils pour construire des paquets.

Notez que ces paquets peuvent ne pas inclure la dernière version de
Python ou d'autres bibliothèques, et ne sont pas maintenus ni
supportés par les *core devs* Python.


4.5. Supported Windows versions
===============================

As specified in **PEP 11**, a Python release only supports a Windows
platform while Microsoft considers the platform under extended
support. This means that Python 3.14 supports Windows 10 and newer. If
you require Windows 7 support, please install Python 3.8. If you
require Windows 8.1 support, please install Python 3.12.


4.6. Removing the MAX_PATH limitation
=====================================

Historiquement les chemins sous Windows étaient limités 260
caractères. Cela impliquait que les chemins plus longs n'étaient pas
résolus, et seraient une cause d'erreurs.

In the latest versions of Windows, this limitation can be expanded to
over 32,000 characters. Your administrator will need to activate the
"Enable Win32 long paths" group policy, or set "LongPathsEnabled" to
"1" in the registry key
"HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Control\FileSystem".

Ceci permet à la fonction "open()", au module "os" et à la plupart des
autres fonctionnalités utilisant des chemins d'accepter et de renvoyer
des chemins plus longs que 260 caractères.

After changing the above option and rebooting, no further
configuration is required.


4.7. Mode UTF-8
===============

Ajouté dans la version 3.7.

Windows utilise toujours les anciens codages pour l'encodage du
système (la page de code ANSI).  Python l'utilise pour le codage par
défaut des fichiers texte (par exemple "locale.getencoding()").

Cela peut poser des problèmes car l'UTF-8 est largement utilisé sur
Internet et sur la plupart des systèmes Unix, y compris le WSL
(*Windows Subsystem for Linux*).

Vous pouvez utiliser le mode UTF-8 pour changer le codage de texte par
défaut en UTF-8. Vous pouvez activer le mode UTF-8 via l'option de
ligne de commande "-X utf8" ou la variable d'environnement
"PYTHONUTF8=1".  Voir "PYTHONUTF8" pour activer le mode UTF-8, et
Python install manager pour savoir comment modifier les variables
d'environnement.

Lorsque le mode UTF-8 est activé, vous pouvez toujours utiliser
l’encodage système (la page de code ANSI) via le codec « *mbcs* ».

Notez que l'ajout de "PYTHONUTF8=1" aux variables d'environnement par
défaut affectera toutes les applications Python 3.7+ sur votre
système. Si vous avez des applications Python 3.7+ qui dépendent de
l'encodage du système existant, il est recommandé de définir la
variable d'environnement temporairement ou d'utiliser l'option de
ligne de commande "-X utf8".

Note:

  même lorsque le mode UTF-8 est désactivé, Python utilise UTF-8 par
  défaut sur Windows pour :

  * Les E/S de la console, y compris les E/S standards (voir **PEP
    528** pour plus de détails).

  * L'*encodage du système de fichiers* (voir **PEP 529** pour plus de
    détails).


4.8. Recherche de modules
=========================

Ces notes complètent la description de The initialization of the
sys.path module search path avec des notes Windows détaillées.

Lorsque aucun fichier "._pth" n'est trouvé, voilà comment "sys.path"
est construit sur Windows :

* Une entrée vide est ajoutée au début, qui correspond au répertoire
  courant.

* Si la variable d'environnement "PYTHONPATH" existe, comme décrit
  dans Variables d'environnement, ses entrées sont ajoutées ensuite.
  Notez que sur Windows, les chemins d'accès de cette variable doivent
  être séparés par des points-virgules, pour les distinguer des deux
  points utilisés dans les identificateurs de lecteur ("C:\" etc.).

* Des "chemins d'accès d'application" supplémentaires peuvent être
  ajoutés dans le registre en tant que sous-clés de
  "\SOFTWARE\Python\PythonCore{version}\PythonPath" sous les ruches
  "HKEY_CURRENT_USER" et "HKEY_LOCAL_MACHINE". Les sous-clés qui ont
  des chaînes de chemin délimitées par des points-virgules comme
  valeur par défaut entraînent l'ajout de chaque chemin d'accès à
  "sys.path". (Notez que tous les installateurs connus utilisent
  seulement HKLM, donc HKCU est généralement vide.)

* Si la variable d'environnement "PYTHONHOME" est définie, elle est
  supposée comme "Python Home". Sinon, le chemin de l'exécutable
  principal de Python est utilisé pour chercher un "fichier de repère"
  (soit "Lib\os.py" ou "pythonXY.zip") pour déduire le "Python Home".
  Si un "Python Home" est trouvé, les sous-répertoires correspondants
  ajoutés à "sys.path" ("Lib", "plat-win", etc) sont basés sur ce
  dossier. Sinon, le chemin d'accès Python principal est construit à
  partir du PythonPath stocké dans le registre.

* Si le "Python Home" ne peut pas être trouvé, "PYTHONPATH" n'est pas
  spécifié dans l'environnement et aucune entrée de registre ne peut
  être trouvée, un chemin par défaut avec des entrées relatives est
  utilisé (par exemple ".\Lib" ; ".\plat-win", etc.).

Si un fichier "pyvenv.cfg" se trouve à côté de l'exécutable principal
ou dans le répertoire un niveau au-dessus de l'exécutable, les
variantes suivantes s'appliquent :

* Si "home" est un chemin absolu et "PYTHONHOME" n'est pas défini, ce
  chemin d'accès est utilisé au lieu du chemin d'accès à l'exécutable
  principal lors de la déduction de l'emplacement du "home".

Le résultat final de tout ceci est :

* Lors de l'exécution de "python.exe", ou tout autre ".exe" dans le
  répertoire principal de Python (soit une version installée, soit
  directement à partir du répertoire PCbuild), le chemin principal est
  déduit et les chemins d'accès principaux dans le Registre sont
  ignorés. D'autres "chemins d'application" dans le registre sont
  toujours lus.

* Lorsque Python est hébergé dans un autre fichier ".exe" (répertoire
  différent, intégré via COM, etc.), le "Python Home" ne sera pas
  déduit, de sorte que le chemin d'accès principal du registre est
  utilisé. D'autres "chemins d'application" dans le registre sont
  toujours lus.

* Si Python ne peut pas trouver son "home" et il n'y a pas de valeur
  de registre (*.exe* figé, une installation très étrange) vous
  obtenez un chemin d'accès avec certains chemins par défaut, mais
  relatif.

Pour ceux qui veulent intégrer Python dans leur application ou leur
distribution, les conseils suivants empêcheront les conflits avec
d'autres installations :

* Incluez un fichier "._pth" à côté de votre exécutable contenant les
  répertoires à inclure. Ceci ignorera les chemins répertoriés dans le
  registre et les variables d'environnement, et ignorera également
  "site" à moins que "import site" soit listé.

* If you are loading "python3.dll" or "python37.dll" in your own
  executable, explicitly set "PyConfig.module_search_paths" before
  "Py_InitializeFromConfig()".

* Effacer et/ou écraser "PYTHONPATH" et configurez "PYTHONHOME" avant
  de lancer le "python.exe" de votre application.

* Si vous ne pouvez pas utiliser les suggestions précédentes (par
  exemple, vous êtes une distribution qui permet aux gens d'exécuter
  "python.exe" directement), assurez-vous que le point de repère
  "Lib\os.py" existe dans votre répertoire d'installation. (Notez
  qu'il ne sera pas détecté à l'intérieur d'un fichier ZIP, mais un
  fichier ZIP correctement nommé sera détecté à la place.)

Ceux-ci garantiront que les fichiers d'une installation à l'échelle du
système n'auront pas la priorité sur la copie de la bibliothèque
standard livrée avec votre application. Sinon, vos utilisateurs
pourraient rencontrer des problèmes en utilisant votre application.
Notez que la première suggestion est la meilleure, car les autres
peuvent encore être sensibles aux chemins non-standard dans le
registre et le *site-packages* utilisateur.

Modifié dans la version 3.6: Add "._pth" file support and removes
"applocal" option from "pyvenv.cfg".

Modifié dans la version 3.6: Add "python*XX*.zip" as a potential
landmark when directly adjacent to the executable.

Obsolète depuis la version 3.6: Modules specified in the registry
under "Modules" (not "PythonPath") may be imported by
"importlib.machinery.WindowsRegistryFinder". This finder is enabled on
Windows in 3.6.0 and earlier, but may need to be explicitly added to
"sys.meta_path" in the future.


4.9. Modules supplémentaires
============================

Même si Python a l'ambition d'être portable parmi toutes les plates-
formes, il existe des fonctionnalités propres à Windows. Certains
modules, à la fois dans la bibliothèque standard et externe, et des
exemples existent pour utiliser ces fonctionnalités.

Les modules standard de Windows sont documentés dans Services
spécifiques à MS Windows.


4.9.1. PyWin32
--------------

The PyWin32 module by Mark Hammond is a collection of modules for
advanced Windows-specific support.  This includes utilities for:

* Component Object Model (COM)

* Appels à l'API Win32

* Registre

* Journal d'événement

* Microsoft Foundation Classes (MFC) user interfaces

PythonWin est un exemple d'application MFC livrée avec PyWin32. Il
s'agit d'un IDE embarqué avec débogueur intégré.

Voir aussi:

  Win32 How Do I...?
     par Tim Golden

  Python and COM
     par David et Paul Boddie


4.9.2. cx_Freeze
----------------

cx_Freeze wraps Python scripts into executable Windows programs
("***.exe" files).  When you have done this, you can distribute your
application without requiring your users to install Python.


4.10. Compiler Python sous Windows
==================================

Si vous voulez compiler CPython vous-même, la première chose à faire
est obtenir la source. Vous pouvez télécharger soit la source de la
dernière version ou tout simplement prendre un checkout.

L'arborescence source contient une solution de compilation et des
fichiers projet pour Microsoft Visual Studio, qui est le compilateur
utilisé pour générer les versions officielles de Python. Ces fichiers
se trouvent dans le répertoire "PCbuild".

Consultez "PC/readme.txt" pour des informations générales sur le
processus de construction.

Pour les modules d'extension, consultez Construire des extensions C et
C++ sur Windows.


4.11. The full installer (deprecated)
=====================================

Obsolète depuis la version 3.14: This installer is deprecated since
3.14 and will not be produced for Python 3.16 or later. See Python
install manager for the modern installer.


4.11.1. Étapes d'installation
-----------------------------

Quatre installateurs Python 3.14 sont disponibles au téléchargement —
deux de chaque pour les versions 32-bit et 64-bit de l'interpréteur.
L'**installateur web** est léger, et téléchargera automatiquement les
composants nécessaires. L'**installateur hors-ligne** inclut les
composants nécessaires pour une installation par défaut et n'a besoin
d'une connexion internet que pour des fonctionnalités optionnelles.
Voir Installing without downloading pour d'autres moyens d’éviter des
téléchargements durant l'installation.

Après avoir lancé l'installateur, deux options s'affichent :

[image]

Si vous sélectionnez « Installer Maintenant » ("Install Now") :

* Vous n'aurez *pas* besoin d'avoir les droits d'administrateur (sauf
  si une mise à jour de la bibliothèque d'exécution C est nécessaire
  ou si vous installez le Python install manager pour tous les
  utilisateurs)

* Python sera installé dans votre répertoire utilisateur

* Le Python install manager sera installé suivant l'option en bas de
  la première page

* La bibliothèque standard, la suite de tests, le lanceur et *pip*
  seront installés

* Si l'option est cochée, le dossier d'installation sera ajouté à
  votre "PATH"

* Les raccourcis ne seront visibles que pour l'utilisateur actuel

Sélectionner « Personnaliser l’installation » ("Customize
installation") vous permettra de sélectionner les fonctionnalités à
installer, le chemin d'installation et d'autres options ou des options
post-installation. Pour installer des binaires ou symboles de
débogage, vous devrez utiliser cette option.

Pour effectuer une installation pour tous les utilisateurs, vous devez
sélectionner « Personnaliser l’installation ». Dans ce cas :

* Vous pouvez avoir à donner une approbation ou des identifiants
  administrateur

* Python sera installé dans le dossier *Program Files*

* Le Python install manager sera installé dans le dossier *Windows*

* Des fonctionnalités optionnelles peuvent être sélectionnées durant
  l'installation

* La bibliothèque standard peut être pré-compilée en code
  intermédiaire (*bytecode* en anglais)

* Si sélectionné, le chemin d'installation sera ajouté au "PATH"
  système

* Les raccourcis sont disponibles pour tous les utilisateurs


4.11.2. Removing the MAX_PATH limitation
----------------------------------------

Historiquement les chemins sous Windows étaient limités 260
caractères. Cela impliquait que les chemins plus longs n'étaient pas
résolus, et seraient une cause d'erreurs.

Dans les dernières versions de Windows, cette limitation peut être
étendue à approximativement 32.000 caractères. Votre administrateur
devra activer la stratégie de groupe « **Enable Win32 long paths** »
ou mettre la valeur de "LongPathsEnabled" à "1" dans de registre à
"HKEY_LOCAL_MACHINE\SYSTEM\CurrentControlSet\Control\FileSystem".

Ceci permet à la fonction "open()", au module "os" et à la plupart des
autres fonctionnalités utilisant des chemins d'accepter et de renvoyer
des chemins plus longs que 260 caractères.

Après avoir changé l'option si-dessus, aucune configuration
supplémentaire n'est requise.

Modifié dans la version 3.6: Gestion des chemins longs.


4.11.3. Installing without UI
-----------------------------

Toutes les options disponibles dans l'installateur graphique peuvent
aussi être spécifiées dans l'invite de commande, permettant à des
installateurs scriptés de répliquer une installation sur plusieurs
machines sans interaction humaine. Ces options peuvent aussi être
ajoutées sans enlever l'interface graphique pour changer les valeurs
par défauts.

The following options (found by executing the installer with "/?") can
be passed into the installer:

+-----------------------+----------------------------------------------------------+
| Nom                   | Description                                              |
|=======================|==========================================================|
| /passive              | to display progress without requiring user interaction   |
+-----------------------+----------------------------------------------------------+
| /quiet                | to install/uninstall without displaying any UI           |
+-----------------------+----------------------------------------------------------+
| /simple               | to prevent user customization                            |
+-----------------------+----------------------------------------------------------+
| /uninstall            | to remove Python (without confirmation)                  |
+-----------------------+----------------------------------------------------------+
| /layout [directory]   | to pre-download all components                           |
+-----------------------+----------------------------------------------------------+
| /log [filename]       | to specify log files location                            |
+-----------------------+----------------------------------------------------------+

Toutes les autres options sont passées sous la forme "name=value", ou
"value" est normalement soit "0" pour désactiver une fonctionnalité,
soit "1" pour activer une fonctionnalité, soit un chemin. Ci-dessous
la liste complète des options.

+-----------------------------+----------------------------------------+----------------------------+
| Nom                         | Description                            | Valeur par défaut          |
|=============================|========================================|============================|
| InstallAllUsers             | Effectue une installation pour tous    | 0                          |
|                             | les utilisateurs.                      |                            |
+-----------------------------+----------------------------------------+----------------------------+
| TargetDir                   | Le dossier d'installation              | Sélection basée sur        |
|                             |                                        | InstallAllUsers            |
+-----------------------------+----------------------------------------+----------------------------+
| DefaultAllUsersTargetDir    | Le dossier d'installation par défaut   | "%ProgramFiles%\Python     |
|                             | pour les installations pour tous les   | X.Y" ou "%ProgramFiles(x8  |
|                             | utilisateurs                           | 6)%\Python X.Y"            |
+-----------------------------+----------------------------------------+----------------------------+
| DefaultJustForMeTargetDir   | Le dossier d'installation par défaut   | "%LocalAppData%\Programs\  |
|                             | pour des installations juste pour soi  | Python\PythonXY" ou "%Loc  |
|                             |                                        | alAppData%\Programs\Pytho  |
|                             |                                        | n\PythonXY-32" ou "%Local  |
|                             |                                        | AppData%\Programs\Python\  |
|                             |                                        | PythonXY-64"               |
+-----------------------------+----------------------------------------+----------------------------+
| DefaultCustomTargetDir      | Le dossier d'installation personnalisé | (vide)                     |
|                             | par défaut affiché par l'interface     |                            |
|                             | utilisateur                            |                            |
+-----------------------------+----------------------------------------+----------------------------+
| AssociateFiles              | Crée les associations de fichiers si   | 1                          |
|                             | le lanceur est aussi installé.         |                            |
+-----------------------------+----------------------------------------+----------------------------+
| CompileAll                  | Compile tous les fichiers ".py" en     | 0                          |
|                             | ".pyc".                                |                            |
+-----------------------------+----------------------------------------+----------------------------+
| PrependPath                 | Ajoute les dossiers "install" et       | 0                          |
|                             | "Scripts" à "PATH" et assigne ".PY" à  |                            |
|                             | "PATHEXT"                              |                            |
+-----------------------------+----------------------------------------+----------------------------+
| AppendPath                  | Ajoute les dossiers "install" et       | 0                          |
|                             | "Scripts" à "PATH" et assigne ".PY" à  |                            |
|                             | "PATHEXT"                              |                            |
+-----------------------------+----------------------------------------+----------------------------+
| Shortcuts                   | Crée des raccourcis pour               | 1                          |
|                             | l'interpréteur, la documentation et    |                            |
|                             | IDLE si installé.                      |                            |
+-----------------------------+----------------------------------------+----------------------------+
| Include_doc                 | Installe le manuel Python              | 1                          |
+-----------------------------+----------------------------------------+----------------------------+
| Include_debug               | Installe les binaires de débogage      | 0                          |
+-----------------------------+----------------------------------------+----------------------------+
| Include_dev                 | Installe les en-têtes et les           | 1                          |
|                             | bibliothèques de développement.        |                            |
|                             | L'omission de cette étape peut         |                            |
|                             | conduire à une installation            |                            |
|                             | inutilisable.                          |                            |
+-----------------------------+----------------------------------------+----------------------------+
| Include_exe                 | Installer "python.exe" et les fichiers | 1                          |
|                             | associés. L'omission de cette étape    |                            |
|                             | peut conduire à une installation       |                            |
|                             | inutilisable.                          |                            |
+-----------------------------+----------------------------------------+----------------------------+
| Include_launcher            | Installe le Python install manager.    | 1                          |
+-----------------------------+----------------------------------------+----------------------------+
| InstallLauncherAllUsers     | Installe le lanceur pour tous les      | 1                          |
|                             | utilisateurs. Nécessite que            |                            |
|                             | "Include_launcher" soit mis à "1"      |                            |
+-----------------------------+----------------------------------------+----------------------------+
| Include_lib                 | Installe la bibliothèque standard et   | 1                          |
|                             | les modules d'extension. L'omission de |                            |
|                             | cette étape peut conduire à une        |                            |
|                             | installation inutilisable.             |                            |
+-----------------------------+----------------------------------------+----------------------------+
| Include_pip                 | Installe "pip" et "setuptools"         | 1                          |
+-----------------------------+----------------------------------------+----------------------------+
| Include_symbols             | Installe les symboles de débogage      | 0                          |
|                             | ("*.pdb")                              |                            |
+-----------------------------+----------------------------------------+----------------------------+
| Include_tcltk               | Installe Tcl/Tk et IDLE                | 1                          |
+-----------------------------+----------------------------------------+----------------------------+
| Include_test                | Installe la suite de tests de la       | 1                          |
|                             | bibliothèque standard                  |                            |
+-----------------------------+----------------------------------------+----------------------------+
| Include_tools               | Installe les scripts utilitaires       | 1                          |
+-----------------------------+----------------------------------------+----------------------------+
| LauncherOnly                | Installe seulement le lanceur. Ceci    | 0                          |
|                             | écrasera la plupart des autres         |                            |
|                             | options.                               |                            |
+-----------------------------+----------------------------------------+----------------------------+
| SimpleInstall               | Désactive la plupart de l'interface    | 0                          |
|                             | d'installation                         |                            |
+-----------------------------+----------------------------------------+----------------------------+
| SimpleInstallDescription    | Un message personnalisé à afficher     | (vide)                     |
|                             | quand l'interface d'installation       |                            |
|                             | simplifiée est utilisée.               |                            |
+-----------------------------+----------------------------------------+----------------------------+

Par exemple, pour installer silencieusement Python sur tout le
système, vous pourriez utilisez la commande suivante (depuis une
invite de commande administrateur) :

   python-3.9.0.exe /quiet InstallAllUsers=1 PrependPath=1 Include_test=0

Pour permettre à l'utilisateur d'installer facilement une copie de
Python sans la suite de tests, vous pouvez proposer un raccourci avec
la commande suivante. Cela affichera une page initiale simplifiée et
interdira la personnalisation :

   python-3.9.0.exe InstallAllUsers=0 Include_launcher=0 Include_test=0
       SimpleInstall=1 SimpleInstallDescription="Just for me, no test suite."

(Notez qu'omettre le lanceur omet aussi les associations de fichiers,
et n'est recommandé que pour les installations par utilisateur quand
il y a aussi une installation complète sur le système qui a inclus de
lanceur.)

Les options listées ci-dessus peuvent aussi être passées dans un
fichier nommé "unattend.xml" à côté de l'exécutable. Ce fichier
spécifie une liste d'options et de valeurs. Quand une valeur est
donnée en tant qu'attribut, elle sera convertie en nombre si possible.
Les valeurs données en élément texte sont toujours laissées en tant
que chaînes de caractères. Ce fichier d'exemple propose les mêmes
options que l'exemple précédent :

   <Options>
       <Option Name="InstallAllUsers" Value="no" />
       <Option Name="Include_launcher" Value="0" />
       <Option Name="Include_test" Value="no" />
       <Option Name="SimpleInstall" Value="yes" />
       <Option Name="SimpleInstallDescription">Just for me, no test suite</Option>
   </Options>


4.11.4. Installing without downloading
--------------------------------------

Comme certaines fonctionnalités de Python ne sont pas incluses dans
l'installateur initial, la sélection de certaines de ces
fonctionnalités peut demander une connexion Internet. Pour éviter ce
besoin, tous les composants nécessaires peuvent être téléchargés à la
demande pour créer un agencement (*layout*) complet qui ne demandera
plus de connexion Internet indépendamment des options sélectionnées.
Notez que ce téléchargement peut être plus gros que nécessaire, mais
lorsqu'un un grand nombre d'installations doivent être faites, il est
très utile d'avoir une copie locale.

Exécutez la commande suivante depuis l'invite de commande pour
télécharger tous les fichiers requis possibles. Rappelez-vous de
remplacer "python-3.9.0.exe" par le nom réel de votre installateur et
de créer des agencements avec leurs propres dossiers pour éviter les
conflits entre fichiers du même nom.

   python-3.9.0.exe /layout [optional target directory]

Vous pouvez aussi spécifier l'option "/quiet" pour masquer la
progression.


4.11.5. Modification d'une installation
---------------------------------------

Une fois Python installé, vous pouvez ajouter ou supprimer des
fonctionnalités depuis l'outil Windows *Programs and Features*
(Programmes et Fonctionnalités). Sélectionnez la ligne "Python" et
choisissez « Uninstall/Change » (Désinstaller/Modifier) pour ouvrir
l'installateur en mode maintenance.

« Modify » vous permet d'ajouter ou d'enlever des fonctionnalités en
modifiant les cases à cocher (les cases inchangées n'installeront ou
ne supprimeront rien). Certaines options ne peuvent pas être modifiées
dans ce mode, comme le dossier d'installation. Pour modifier ces
options, vous devrez ré-installer Python entièrement.

« Repair » vérifiera tous les fichiers qui doivent être installés avec
les paramètres actuels le sont, et remplacera ceux qui ont étés
supprimés ou modifiés.

« Uninstall » désinstallera Python entièrement, à l'exception du
Python install manager qui à sa propre ligne dans *Programs and
Features*.


4.11.6. Installing free-threaded binaries
-----------------------------------------

Ajouté dans la version 3.13.

To install pre-built binaries with free-threading enabled (see **PEP
703**), you should select "Customize installation". The second page of
options includes the "Download free-threaded binaries" checkbox.

[image]

Selecting this option will download and install additional binaries to
the same location as the main Python install. The main executable is
called "python3.13t.exe", and other binaries either receive a "t"
suffix or a full ABI suffix. Python source files and bundled third-
party dependencies are shared with the main install.

The free-threaded version is registered as a regular Python install
with the tag "3.13t" (with a "-32" or "-arm64" suffix as normal for
those platforms). This allows tools to discover it, and for the Python
install manager to support "py.exe -3.13t". Note that the launcher
will interpret "py.exe -3" (or a "python3" shebang) as "the latest 3.x
install", which will prefer the free-threaded binaries over the
regular ones, while "py.exe -3.13" will not. If you use the short
style of option, you may prefer to not install the free-threaded
binaries at this time.

To specify the install option at the command line, use
"Include_freethreaded=1". See Installing without downloading for
instructions on pre-emptively downloading the additional binaries for
offline install. The options to include debug symbols and binaries
also apply to the free-threaded builds.

Free-threaded binaries are also available on nuget.org.


4.12. Python launcher for Windows (deprecated)
==============================================

Obsolète depuis la version 3.14: The launcher and this documentation
have been superseded by the Python Install Manager described above.
This is preserved temporarily for historical interest.

Ajouté dans la version 3.3.

Le lanceur Python pour Windows est un utilitaire qui facilite la
recherche et l'exécution de différentes versions de Python. Il permet
aux scripts (ou à la ligne de commande) d'indiquer une préférence pour
une version Python spécifique, cherchera et exécutera cette version.

Contrairement à la variable "PATH", le lanceur sélectionne
correctement la version la plus appropriée de Python. Il préfère les
installations par utilisateur sur celles du système, et les trie par
version plutôt que d'utiliser la version la plus récente installée.

Le lanceur a été initialement spécifié dans **PEP 397**.


4.12.1. Pour commencer
----------------------


4.12.1.1. Depuis la ligne de commande
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Modifié dans la version 3.6.

Les installations systèmes de Python 3.3 et ultérieur placent le
lanceur dans votre "PATH". Le lanceur est compatible avec toutes les
versions disponibles de Python, peu importe lesquelles sont
installées. Pour vérifier que le lanceur est disponible, exécutez la
commande suivante dans l'invite de commandes :

   py

Vous devriez voir se lancer la dernière version de Python installée —
il peut être quitté normalement, et tous les arguments de ligne de
commande supplémentaires spécifiés seront envoyés directement à
Python.

Si plusieurs versions de Python sont installées (par exemple, 3.7 et
3.14), vous aurez remarqué que Python 3.14 se lance -- pour lancer
Python 3.7, essayez la commande :

   py -3.7

Si vous voulez que la dernière version de Python 2.x que vous avez
installé, essayez la commande :

   py -2

Si vous voyez l'erreur suivante, le lanceur n'est pas installé :

   'py' is not recognized as an internal or external command,
   operable program or batch file.

La commande :

   py --list

affiche la ou les versions actuellement installées de Python.

The "-x.y" argument is the short form of the "-V:Company/Tag"
argument, which allows selecting a specific Python runtime, including
those that may have come from somewhere other than python.org. Any
runtime registered by following **PEP 514** will be discoverable. The
"--list" command lists all available runtimes using the "-V:" format.

When using the "-V:" argument, specifying the Company will limit
selection to runtimes from that provider, while specifying only the
Tag will select from all providers. Note that omitting the slash
implies a tag:

   # Select any '3.*' tagged runtime
   py -V:3

   # Select any 'PythonCore' released runtime
   py -V:PythonCore/

   # Select PythonCore's latest Python 3 runtime
   py -V:PythonCore/3

The short form of the argument ("-3") only ever selects from core
Python releases, and not other distributions. However, the longer form
("-V:3") will select from any.

The Company is matched on the full string, case-insensitive. The Tag
is matched on either the full string, or a prefix, provided the next
character is a dot or a hyphen. This allows "-V:3.1" to match
"3.1-32", but not "3.10". Tags are sorted using numerical ordering
("3.10" is newer than "3.1"), but are compared using text ("-V:3.01"
does not match "3.1").


4.12.1.2. Environnements virtuels
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Ajouté dans la version 3.5.

Si le lanceur est exécuté sans version de Python explicite et qu'un
environnement virtuel (créé avec le module de la bibliothèque standard
"venv" ou l'outil externe "virtualenv") est actif, le lanceur exécute
l'interpréteur de l'environnement virtuel plutôt que l'interpréteur
global. Pour exécuter l'interpréteur global, désactivez
l'environnement virtuel ou spécifiez explicitement la version Python
globale.


4.12.1.3. À partir d'un script
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Créons un script Python de test, créez un fichier appelé "hello.py"
avec le contenu suivant

   #! python
   import sys
   sys.stdout.write("hello from Python %s\n" % (sys.version,))

À partir du répertoire dans lequel se trouve "hello.py", exécutez la
commande :

   py hello.py

Vous devriez voir le numéro de version du Python 2.x le plus récemment
installé. Maintenant, essayez de changer la première ligne en :

   #! python3

La commande doit maintenant afficher les dernières informations de
Python 3.x. Comme pour les exemples de ligne de commande ci-dessus,
vous pouvez spécifier un qualificateur de version plus explicite. En
supposant que vous avez installé Python 3.7, essayez de changer la
première ligne en "#! python3.7" et vous devriez trouver les
informations de version 3.7 affichées.

Notez que, contrairement à l'utilisation interactive, un "python" nu
utilisera la dernière version de Python 2.x que vous avez installé.
C'est pour la compatibilité ascendante et pour la compatibilité avec
UNIX, où la commande "python" fait généralement référence à Python 2.


4.12.1.4. À partir d'associations de fichiers
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Le lanceur aurait dû être associé à des fichiers Python (des fichiers
comme ".py", ".pyw", ".pyc") lorsqu'il a été installé. Cela signifie
que lorsque vous double-cliquez sur l'un de ces fichiers à partir de
l'Explorateur Windows, le lanceur sera utilisé, et donc vous pouvez
utiliser les mêmes installations décrites ci-dessus pour que le script
spécifie la version qui doit être utilisée.

L'avantage principal de ceci est qu'un seul lanceur peut prendre en
charge plusieurs versions de Python en même temps en fonction du
contenu de la première ligne.


4.12.2. Shebang lines
---------------------

Si la première ligne d'un fichier de script commence par "#!", elle
est connue sous le nom de ligne « *shebang* ». Linux et d'autres
systèmes basés sur Unix ont une prise en charge native de ces lignes
et les *shebangs* sont couramment utilisés sur ces systèmes pour
indiquer comment un script doit être exécuté. Ce lanceur permet aux
mêmes installations d'être utilisés avec des scripts Python sur
Windows et les exemples ci-dessus démontrent leur utilisation.

Pour permettre aux *shebang* dans les scripts Python d'être portables
entre UNIX et Windows, ce lanceur prend en charge un certain nombre de
commandes « virtuelles » pour spécifier l'interpréteur à utiliser. Les
commandes virtuelles prises en charge sont :

* "/usr/bin/env"

* "/usr/bin/python"

* "/usr/local/bin/python"

* "python"

Par exemple, si la première ligne de votre script commence par

   #! /usr/bin/python

The default Python or an active virtual environment will be located
and used. As many Python scripts written to work on Unix will already
have this line, you should find these scripts can be used by the
launcher without modification. If you are writing a new script on
Windows which you hope will be useful on Unix, you should use one of
the shebang lines starting with "/usr".

Any of the above virtual commands can be suffixed with an explicit
version (either just the major version, or the major and minor
version). Furthermore the 32-bit version can be requested by adding
"-32" after the minor version. I.e. "/usr/bin/python3.7-32" will
request usage of the 32-bit Python 3.7. If a virtual environment is
active, the version will be ignored and the environment will be used.

Ajouté dans la version 3.7: Depuis la version 3.7 du lanceur Python,
il est possible de demander une version *64-bit* en utilisant le
suffixe **-64**. De plus il est possible de spécifier une version
majeure et une architecture sans version mineure (par exemple
"/usr/bin/python3-64").

Modifié dans la version 3.11: The "-64" suffix is deprecated, and now
implies "any architecture that is not provably i386/32-bit". To
request a specific environment, use the new "-V:*TAG*" argument with
the complete tag.

Modifié dans la version 3.13: Virtual commands referencing "python"
now prefer an active virtual environment rather than searching "PATH".
This handles cases where the shebang specifies "/usr/bin/env python3"
but "python3.exe" is not present in the active environment.

The "/usr/bin/env" form of shebang line has one further special
property. Before looking for installed Python interpreters, this form
will search the executable "PATH" for a Python executable matching the
name provided as the first argument. This corresponds to the behaviour
of the Unix "env" program, which performs a "PATH" search. If an
executable matching the first argument after the "env" command cannot
be found, but the argument starts with "python", it will be handled as
described for the other virtual commands. The environment variable
"PYLAUNCHER_NO_SEARCH_PATH" may be set (to any value) to skip this
search of "PATH".

Shebang lines that do not match any of these patterns are looked up in
the "[commands]" section of the launcher's .INI file. This may be used
to handle certain commands in a way that makes sense for your system.
The name of the command must be a single argument (no spaces in the
shebang executable), and the value substituted is the full path to the
executable (additional arguments specified in the .INI will be quoted
as part of the filename).

   [commands]
   /bin/xpython=C:\Program Files\XPython\python.exe

Any commands not found in the .INI file are treated as **Windows**
executable paths that are absolute or relative to the directory
containing the script file. This is a convenience for Windows-only
scripts, such as those generated by an installer, since the behavior
is not compatible with Unix-style shells. These paths may be quoted,
and may include multiple arguments, after which the path to the script
and any additional arguments will be appended.


4.12.3. Arguments dans les lignes *shebang*
-------------------------------------------

Les lignes *shebang* peuvent également spécifier des options
supplémentaires à passer à l'interpréteur Python. Par exemple, si vous
avez une ligne *shebang* :

   #! /usr/bin/python -v

Alors, Python sera démarré avec l'option "-v"


4.12.4. Personnalisation
------------------------


4.12.4.1. Personnalisation via des fichiers INI
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Deux fichiers ".ini" seront recherchés par le lanceur - "py.ini" dans
le répertoire de données de l'application de l'utilisateur courant
("%LOCALAPPDATA%" ou "$env:LocalAppData") et "py.ini" dans le même
répertoire que le lanceur. Les mêmes fichiers ".ini" sont utilisés à
la fois pour la version *console* du lanceur (i.e. "py.exe") et pour
la version *windows* (i.e. "pyw.exe").

La personnalisation spécifiée dans le « répertoire de l'application »
aura la priorité sur celle à côté de l'exécutable, de sorte qu'un
utilisateur, qui peut ne pas avoir accès en écriture au fichier ".ini"
à côté du lanceur, peut substituer des commandes dans ce fichier
".ini" global)


4.12.4.2. Personnalisation des versions Python par défaut
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Dans certains cas, un qualificateur de version peut être inclus dans
une commande pour dicter quelle version de Python sera utilisée par la
commande. Un qualificateur de version commence par un numéro de
version majeure et peut éventuellement être suivi d'un point (".") et
d'un spécificateur de version secondaire. De plus il est possible de
préciser si une implémentation 32 ou 64 bit doit être demandée en
ajoutant **-32** ou **-64**.

Par exemple, une ligne *shebang* valant "#!python" n'a pas de
qualificateur de version, tandis que "#!python3" a un qualificateur de
version qui ne spécifie qu'une version majeure.

If no version qualifiers are found in a command, the environment
variable "PY_PYTHON" can be set to specify the default version
qualifier. If it is not set, the default is "3". The variable can
specify any value that may be passed on the command line, such as "3",
"3.7", "3.7-32" or "3.7-64". (Note that the "-64" option is only
available with the launcher included with Python 3.7 or newer.)

Si aucun qualificateur de version mineure n'est trouvé, la variable
d'environnement "PY_PYTHON{major}" (où "{major}" est le qualificateur
de version principale actuelle tel que déterminé ci-dessus) peut être
définie pour spécifier la version complète. Si aucune option de ce
type n'est trouvée, le lanceur énumérera les versions de Python
installées et utilisera la dernière version mineure trouvée pour la
version principale, qui est probablement la plus récemment installée
dans cette famille.

Sur Windows 64-bits avec les implémentations 32-bits et 64-bits de la
même version Python ("major.minor") installée, la version 64-bit est
toujours préférée. Cela est vrai pour les implémentations 32-bits et
64-bits du lanceur – un lanceur 32-bits préfère exécuter une
installation Python de 64-bits de la version spécifiée si elle est
disponible. Le comportement du lanceur est donc prévisible en sachant
seulement quelles versions sont installées sur le PC et sans tenir
compte de l'ordre dans lequel ils ont été installés (c.-à-d. sans
savoir si une version 32 ou 64-bit de Python et le lanceur
correspondant a été installé en dernier). Comme indiqué ci-dessus, un
suffixe optionnel "-32" ou "-64" peut être utilisé sur un
spécificateur de version pour modifier ce comportement.

Exemples :

* Si aucune option pertinente n'est définie, les commandes "python" et
  "python2" utiliseront la dernière version de Python 2.x installée et
  la commande "python3" utilisera le dernier Python 3.x installé.

* La commande "python3.7" ne consulte aucune option du tout car les
  versions sont entièrement spécifiées.

* Si "PY_PYTHON=3", les commandes "python" et "python3" utiliseront la
  dernière version de Python 3 installée.

* Si "PY_PYTHON=3.7-32", la commande "python" utilisera
  l'implémentation 32-bits de 3.7 alors que la commande "python3"
  utilisera le dernier Python installé (*PY_PYTHON* n'a pas été
  considéré du tout comme une version majeure a été spécifiée.)

* Si "PY_PYTHON=3" et "PY_PYTHON3=3.7", les commandes "python" et
  "python3" utiliseront spécifiquement 3.7

En plus des variables d'environnement, les mêmes paramètres peuvent
être configurés dans le ".INI" utilisé par le lanceur. La section dans
le fichier INI est appelée "[defaults]" et le nom de la clé sera le
même que les variables d'environnement sans le préfixe "PY_" principal
(et notez que les noms de clés dans le fichier **INI** sont
insensibles à la case.) Le contenu d'une variable d'environnement
remplacera les éléments spécifiés dans le fichier *INI*.

Par exemple :

* Le paramètre "PY_PYTHON=3.7" équivaut au fichier **INI** contenant :

   [defaults]
   python=3.7

* Le paramètre "PY_PYTHON=3" et "PY_PYTHON3=3.7" équivaut au fichier
  *INI* contenant :

   [defaults]
   python=3
   python3=3.7


4.12.5. Diagnostics
-------------------

If an environment variable "PYLAUNCHER_DEBUG" is set (to any value),
the launcher will print diagnostic information to stderr (i.e. to the
console). While this information manages to be simultaneously verbose
*and* terse, it should allow you to see what versions of Python were
located, why a particular version was chosen and the exact command-
line used to execute the target Python. It is primarily intended for
testing and debugging.


4.12.6. Dry run
---------------

If an environment variable "PYLAUNCHER_DRYRUN" is set (to any value),
the launcher will output the command it would have run, but will not
actually launch Python. This may be useful for tools that want to use
the launcher to detect and then launch Python directly. Note that the
command written to standard output is always encoded using UTF-8, and
may not render correctly in the console.


4.12.7. Installation à la demande
---------------------------------

If an environment variable "PYLAUNCHER_ALLOW_INSTALL" is set (to any
value), and the requested Python version is not installed but is
available on the Microsoft Store, the launcher will attempt to install
it. This may require user interaction to complete, and you may need to
run the command again.

An additional "PYLAUNCHER_ALWAYS_INSTALL" variable causes the launcher
to always try to install Python, even if it is detected. This is
mainly intended for testing (and should be used with
"PYLAUNCHER_DRYRUN").


4.12.8. Codes de retour
-----------------------

Les codes de retour suivants peuvent être renvoyés par le lanceur
Python. Malheureusement, il n'y a aucun moyen de les distinguer du
code de sortie de Python lui-même.

Les noms des codes sont tels qu'utilisés dans les sources et ne sont
donnés qu'à titre de référence. Il n'y a aucun moyen d'y accéder ou de
les résoudre en dehors de la lecture de cette page. Les entrées sont
classées par ordre alphabétique des noms.

+---------------------+---------+-------------------------------------------------+
| Nom                 | Valeur  | Description                                     |
|=====================|=========|=================================================|
| RC_BAD_VENV_CFG     | 107     | "pyvenv.cfg" a été trouvé mais est corrompu.    |
+---------------------+---------+-------------------------------------------------+
| RC_CREATE_PROCESS   | 101     | Échec du lancement de Python.                   |
+---------------------+---------+-------------------------------------------------+
| RC_INSTALLING       | 111     | Une installation a commencé, mais la commande   |
|                     |         | doit être relancée après qu'elle a terminé.     |
+---------------------+---------+-------------------------------------------------+
| RC_INTERNAL_ERROR   | 109     | Erreur non prévue. Merci de remonter un bogue.  |
+---------------------+---------+-------------------------------------------------+
| RC_NO_COMMANDLINE   | 108     | Le système d'exploitation n'a pas fourni de     |
|                     |         | ligne de commande.                              |
+---------------------+---------+-------------------------------------------------+
| RC_NO_PYTHON        | 103     | Impossible de trouver la version demandée.      |
+---------------------+---------+-------------------------------------------------+
| RC_NO_VENV_CFG      | 106     | "pyvenv.cfg" est requis mais n'a pas été        |
|                     |         | trouvé.                                         |
+---------------------+---------+-------------------------------------------------+
