bpo-34011: Fixes missing venv files and other tests (GH-9458)

This commit is contained in:
Steve Dower 2018-09-20 13:38:34 -07:00 committed by GitHub
parent bc85475058
commit f14c28f397
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
8 changed files with 146 additions and 112 deletions

View File

@ -39,6 +39,9 @@ class BuildTestCase(support.TempdirManager,
for name in names: for name in names:
subcmd = cmd.get_finalized_command(name) subcmd = cmd.get_finalized_command(name)
if getattr(subcmd, '_unsupported', False):
# command is not supported on this build
continue
self.assertTrue(subcmd.skip_build, self.assertTrue(subcmd.skip_build,
'%s should take --skip-build from bdist' % name) '%s should take --skip-build from bdist' % name)

View File

@ -5,6 +5,8 @@ from test.support import run_unittest
from distutils.command.bdist_wininst import bdist_wininst from distutils.command.bdist_wininst import bdist_wininst
from distutils.tests import support from distutils.tests import support
@unittest.skipIf(getattr(bdist_wininst, '_unsupported', False),
'bdist_wininst is not supported in this install')
class BuildWinInstTestCase(support.TempdirManager, class BuildWinInstTestCase(support.TempdirManager,
support.LoggingSilencer, support.LoggingSilencer,
unittest.TestCase): unittest.TestCase):

View File

@ -3,6 +3,7 @@ import os
import platform import platform
import subprocess import subprocess
import sys import sys
import sysconfig
import tempfile import tempfile
import unittest import unittest
import warnings import warnings
@ -16,29 +17,34 @@ class PlatformTest(unittest.TestCase):
@support.skip_unless_symlink @support.skip_unless_symlink
def test_architecture_via_symlink(self): # issue3762 def test_architecture_via_symlink(self): # issue3762
# On Windows, the EXE needs to know where pythonXY.dll and *.pyd is at # On Windows, the EXE needs to know where pythonXY.dll and *.pyd is at
# so we add the directory to the path and PYTHONPATH. # so we add the directory to the path, PYTHONHOME and PYTHONPATH.
env = None
if sys.platform == "win32": if sys.platform == "win32":
def restore_environ(old_env): env = {k.upper(): os.environ[k] for k in os.environ}
os.environ.clear() env["PATH"] = "{};{}".format(
os.environ.update(old_env) os.path.dirname(sys.executable), env.get("PATH", ""))
env["PYTHONHOME"] = os.path.dirname(sys.executable)
if sysconfig.is_python_build(True):
env["PYTHONPATH"] = os.path.dirname(os.__file__)
self.addCleanup(restore_environ, dict(os.environ)) def get(python, env=None):
os.environ["Path"] = "{};{}".format(
os.path.dirname(sys.executable), os.environ["Path"])
os.environ["PYTHONPATH"] = os.path.dirname(sys.executable)
def get(python):
cmd = [python, '-c', cmd = [python, '-c',
'import platform; print(platform.architecture())'] 'import platform; print(platform.architecture())']
p = subprocess.Popen(cmd, stdout=subprocess.PIPE) p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
return p.communicate() stderr=subprocess.PIPE, env=env)
r = p.communicate()
if p.returncode:
print(repr(r[0]))
print(repr(r[1]), file=sys.stderr)
self.fail('unexpected return code: {0} (0x{0:08X})'
.format(p.returncode))
return r
real = os.path.realpath(sys.executable) real = os.path.realpath(sys.executable)
link = os.path.abspath(support.TESTFN) link = os.path.abspath(support.TESTFN)
os.symlink(real, link) os.symlink(real, link)
try: try:
self.assertEqual(get(real), get(link)) self.assertEqual(get(real), get(link, env=env))
finally: finally:
os.remove(link) os.remove(link)

View File

@ -6,7 +6,8 @@ executing have not been removed.
""" """
import unittest import unittest
import test.support import test.support
from test.support import captured_stderr, TESTFN, EnvironmentVarGuard from test.support import (captured_stderr, TESTFN, EnvironmentVarGuard,
change_cwd)
import builtins import builtins
import os import os
import sys import sys
@ -346,7 +347,14 @@ class ImportSideEffectTests(unittest.TestCase):
# __file__ if abs_paths() does not get run. sys and builtins (the # __file__ if abs_paths() does not get run. sys and builtins (the
# only other modules imported before site.py runs) do not have # only other modules imported before site.py runs) do not have
# __file__ or __cached__ because they are built-in. # __file__ or __cached__ because they are built-in.
try:
parent = os.path.relpath(os.path.dirname(os.__file__)) parent = os.path.relpath(os.path.dirname(os.__file__))
cwd = os.getcwd()
except ValueError:
# Failure to get relpath probably means we need to chdir
# to the same drive.
cwd, parent = os.path.split(os.path.dirname(os.__file__))
with change_cwd(cwd):
env = os.environ.copy() env = os.environ.copy()
env['PYTHONPATH'] = parent env['PYTHONPATH'] = parent
code = ('import os, sys', code = ('import os, sys',

View File

@ -235,21 +235,34 @@ class TestSysConfig(unittest.TestCase):
def test_symlink(self): def test_symlink(self):
# On Windows, the EXE needs to know where pythonXY.dll is at so we have # On Windows, the EXE needs to know where pythonXY.dll is at so we have
# to add the directory to the path. # to add the directory to the path.
env = None
if sys.platform == "win32": if sys.platform == "win32":
os.environ["PATH"] = "{};{}".format( env = {k.upper(): os.environ[k] for k in os.environ}
os.path.dirname(sys.executable), os.environ["PATH"]) env["PATH"] = "{};{}".format(
os.path.dirname(sys.executable), env.get("PATH", ""))
# Requires PYTHONHOME as well since we locate stdlib from the
# EXE path and not the DLL path (which should be fixed)
env["PYTHONHOME"] = os.path.dirname(sys.executable)
if sysconfig.is_python_build(True):
env["PYTHONPATH"] = os.path.dirname(os.__file__)
# Issue 7880 # Issue 7880
def get(python): def get(python, env=None):
cmd = [python, '-c', cmd = [python, '-c',
'import sysconfig; print(sysconfig.get_platform())'] 'import sysconfig; print(sysconfig.get_platform())']
p = subprocess.Popen(cmd, stdout=subprocess.PIPE, env=os.environ) p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
return p.communicate() stderr=subprocess.PIPE, env=env)
out, err = p.communicate()
if p.returncode:
print((out, err))
self.fail('Non-zero return code {0} (0x{0:08X})'
.format(p.returncode))
return out, err
real = os.path.realpath(sys.executable) real = os.path.realpath(sys.executable)
link = os.path.abspath(TESTFN) link = os.path.abspath(TESTFN)
os.symlink(real, link) os.symlink(real, link)
try: try:
self.assertEqual(get(real), get(link)) self.assertEqual(get(real), get(link, env))
finally: finally:
unlink(link) unlink(link)

View File

@ -27,6 +27,17 @@ except ImportError:
skipInVenv = unittest.skipIf(sys.prefix != sys.base_prefix, skipInVenv = unittest.skipIf(sys.prefix != sys.base_prefix,
'Test not appropriate in a venv') 'Test not appropriate in a venv')
def check_output(cmd, encoding=None):
p = subprocess.Popen(cmd,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
encoding=encoding)
out, err = p.communicate()
if p.returncode:
raise subprocess.CalledProcessError(
p.returncode, cmd, None, out, err)
return out, err
class BaseTest(unittest.TestCase): class BaseTest(unittest.TestCase):
"""Base class for venv tests.""" """Base class for venv tests."""
maxDiff = 80 * 50 maxDiff = 80 * 50
@ -134,9 +145,7 @@ class BasicTest(BaseTest):
('base_prefix', sys.prefix), ('base_prefix', sys.prefix),
('base_exec_prefix', sys.exec_prefix)): ('base_exec_prefix', sys.exec_prefix)):
cmd[2] = 'import sys; print(sys.%s)' % prefix cmd[2] = 'import sys; print(sys.%s)' % prefix
p = subprocess.Popen(cmd, stdout=subprocess.PIPE, out, err = check_output(cmd)
stderr=subprocess.PIPE)
out, err = p.communicate()
self.assertEqual(out.strip(), expected.encode()) self.assertEqual(out.strip(), expected.encode())
if sys.platform == 'win32': if sys.platform == 'win32':
@ -259,11 +268,10 @@ class BasicTest(BaseTest):
""" """
rmtree(self.env_dir) rmtree(self.env_dir)
self.run_with_capture(venv.create, self.env_dir) self.run_with_capture(venv.create, self.env_dir)
envpy = os.path.join(os.path.realpath(self.env_dir), self.bindir, self.exe) envpy = os.path.join(os.path.realpath(self.env_dir),
cmd = [envpy, '-c', 'import sys; print(sys.executable)'] self.bindir, self.exe)
p = subprocess.Popen(cmd, stdout=subprocess.PIPE, out, err = check_output([envpy, '-c',
stderr=subprocess.PIPE) 'import sys; print(sys.executable)'])
out, err = p.communicate()
self.assertEqual(out.strip(), envpy.encode()) self.assertEqual(out.strip(), envpy.encode())
@unittest.skipUnless(can_symlink(), 'Needs symlinks') @unittest.skipUnless(can_symlink(), 'Needs symlinks')
@ -274,17 +282,16 @@ class BasicTest(BaseTest):
rmtree(self.env_dir) rmtree(self.env_dir)
builder = venv.EnvBuilder(clear=True, symlinks=True) builder = venv.EnvBuilder(clear=True, symlinks=True)
builder.create(self.env_dir) builder.create(self.env_dir)
envpy = os.path.join(os.path.realpath(self.env_dir), self.bindir, self.exe) envpy = os.path.join(os.path.realpath(self.env_dir),
cmd = [envpy, '-c', 'import sys; print(sys.executable)'] self.bindir, self.exe)
p = subprocess.Popen(cmd, stdout=subprocess.PIPE, out, err = check_output([envpy, '-c',
stderr=subprocess.PIPE) 'import sys; print(sys.executable)'])
out, err = p.communicate()
self.assertEqual(out.strip(), envpy.encode()) self.assertEqual(out.strip(), envpy.encode())
@unittest.skipUnless(os.name == 'nt', 'only relevant on Windows') @unittest.skipUnless(os.name == 'nt', 'only relevant on Windows')
def test_unicode_in_batch_file(self): def test_unicode_in_batch_file(self):
""" """
Test isolation from system site-packages Test handling of Unicode paths
""" """
rmtree(self.env_dir) rmtree(self.env_dir)
env_dir = os.path.join(os.path.realpath(self.env_dir), 'ϼўТλФЙ') env_dir = os.path.join(os.path.realpath(self.env_dir), 'ϼўТλФЙ')
@ -292,12 +299,10 @@ class BasicTest(BaseTest):
builder.create(env_dir) builder.create(env_dir)
activate = os.path.join(env_dir, self.bindir, 'activate.bat') activate = os.path.join(env_dir, self.bindir, 'activate.bat')
envpy = os.path.join(env_dir, self.bindir, self.exe) envpy = os.path.join(env_dir, self.bindir, self.exe)
cmd = [activate, '&', self.exe, '-c', 'print(0)'] out, err = check_output(
p = subprocess.Popen(cmd, stdout=subprocess.PIPE, [activate, '&', self.exe, '-c', 'print(0)'],
stderr=subprocess.PIPE, encoding='oem', encoding='oem',
shell=True) )
out, err = p.communicate()
print(err)
self.assertEqual(out.strip(), '0') self.assertEqual(out.strip(), '0')
@skipInVenv @skipInVenv
@ -306,11 +311,8 @@ class EnsurePipTest(BaseTest):
def assert_pip_not_installed(self): def assert_pip_not_installed(self):
envpy = os.path.join(os.path.realpath(self.env_dir), envpy = os.path.join(os.path.realpath(self.env_dir),
self.bindir, self.exe) self.bindir, self.exe)
try_import = 'try:\n import pip\nexcept ImportError:\n print("OK")' out, err = check_output([envpy, '-c',
cmd = [envpy, '-c', try_import] 'try:\n import pip\nexcept ImportError:\n print("OK")'])
p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
out, err = p.communicate()
# We force everything to text, so unittest gives the detailed diff # We force everything to text, so unittest gives the detailed diff
# if we get unexpected results # if we get unexpected results
err = err.decode("latin-1") # Force to text, prevent decoding errors err = err.decode("latin-1") # Force to text, prevent decoding errors
@ -388,11 +390,8 @@ class EnsurePipTest(BaseTest):
# Ensure pip is available in the virtual environment # Ensure pip is available in the virtual environment
envpy = os.path.join(os.path.realpath(self.env_dir), self.bindir, self.exe) envpy = os.path.join(os.path.realpath(self.env_dir), self.bindir, self.exe)
# Ignore DeprecationWarning since pip code is not part of Python # Ignore DeprecationWarning since pip code is not part of Python
cmd = [envpy, '-W', 'ignore::DeprecationWarning', '-I', out, err = check_output([envpy, '-W', 'ignore::DeprecationWarning', '-I',
'-m', 'pip', '--version'] '-m', 'pip', '--version'])
p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
out, err = p.communicate()
# We force everything to text, so unittest gives the detailed diff # We force everything to text, so unittest gives the detailed diff
# if we get unexpected results # if we get unexpected results
err = err.decode("latin-1") # Force to text, prevent decoding errors err = err.decode("latin-1") # Force to text, prevent decoding errors
@ -406,12 +405,10 @@ class EnsurePipTest(BaseTest):
# http://bugs.python.org/issue19728 # http://bugs.python.org/issue19728
# Check the private uninstall command provided for the Windows # Check the private uninstall command provided for the Windows
# installers works (at least in a virtual environment) # installers works (at least in a virtual environment)
cmd = [envpy, '-W', 'ignore::DeprecationWarning', '-I',
'-m', 'ensurepip._uninstall']
with EnvironmentVarGuard() as envvars: with EnvironmentVarGuard() as envvars:
p = subprocess.Popen(cmd, stdout=subprocess.PIPE, out, err = check_output([envpy,
stderr=subprocess.PIPE) '-W', 'ignore::DeprecationWarning', '-I',
out, err = p.communicate() '-m', 'ensurepip._uninstall'])
# We force everything to text, so unittest gives the detailed diff # We force everything to text, so unittest gives the detailed diff
# if we get unexpected results # if we get unexpected results
err = err.decode("latin-1") # Force to text, prevent decoding errors err = err.decode("latin-1") # Force to text, prevent decoding errors

View File

@ -208,11 +208,9 @@ class EnvBuilder:
copier(context.env_exe, path, relative_symlinks_ok=True) copier(context.env_exe, path, relative_symlinks_ok=True)
if not os.path.islink(path): if not os.path.islink(path):
os.chmod(path, 0o755) os.chmod(path, 0o755)
elif sysconfig.is_python_build(True): else:
# See bpo-34011. This copying code should only be needed when a # See bpo-34011. When using a proper install, we should only need to
# venv is created from a source Python build (i.e. not an installed # copy the top-level of DLLs.
# Python)
subdir = 'DLLs'
include = self.include_binary include = self.include_binary
files = [f for f in os.listdir(dirname) if include(f)] files = [f for f in os.listdir(dirname) if include(f)]
for f in files: for f in files:
@ -220,6 +218,10 @@ class EnvBuilder:
dst = os.path.join(binpath, f) dst = os.path.join(binpath, f)
if dst != context.env_exe: # already done, above if dst != context.env_exe: # already done, above
copier(src, dst) copier(src, dst)
# When creating from a build directory, we continue to copy all files.
if sysconfig.is_python_build(True):
subdir = 'DLLs'
dirname = os.path.join(dirname, subdir) dirname = os.path.join(dirname, subdir)
if os.path.isdir(dirname): if os.path.isdir(dirname):
files = [f for f in os.listdir(dirname) if include(f)] files = [f for f in os.listdir(dirname) if include(f)]

View File

@ -9,6 +9,9 @@ from distutils.errors import DistutilsPlatformError
class bdist_wininst(Command): class bdist_wininst(Command):
description = "create an executable installer for MS Windows" description = "create an executable installer for MS Windows"
# Marker for tests that we have the unsupported bdist_wininst
_unsupported = True
def initialize_options(self): def initialize_options(self):
pass pass