blob: 94d626598bac38e8e6bed7d838208f81a0c7e5b7 [file] [log] [blame]
Vinay Sajip42211422012-05-26 20:36:12 +01001"""
2Test harness for the venv module.
Vinay Sajip7ded1f02012-05-26 03:45:29 +01003
Vinay Sajip42211422012-05-26 20:36:12 +01004Copyright (C) 2011-2012 Vinay Sajip.
Vinay Sajip28952442012-06-25 00:47:46 +01005Licensed to the PSF under a contributor agreement.
Vinay Sajip7ded1f02012-05-26 03:45:29 +01006"""
7
Nick Coghlan1b1b1782013-11-30 15:56:58 +10008import ensurepip
Vinay Sajip7ded1f02012-05-26 03:45:29 +01009import os
10import os.path
Victor Stinner87d6e132016-03-14 18:21:58 +010011import re
Daniel Abrahamsson5209e582019-09-11 16:58:56 +020012import shutil
Vinay Sajip1e53f8d2014-04-15 11:18:10 +010013import struct
Vinay Sajip3874e542012-07-03 16:56:40 +010014import subprocess
Vinay Sajip7ded1f02012-05-26 03:45:29 +010015import sys
16import tempfile
Serhiy Storchaka5e0df742017-11-10 12:09:39 +020017from test.support import (captured_stdout, captured_stderr, requires_zlib,
Victor Stinnerddbeb2f2020-06-18 14:53:19 +020018 skip_if_broken_multiprocessing_synchronize)
Hai Shibb0424b2020-08-04 00:47:42 +080019from test.support.os_helper import (can_symlink, EnvironmentVarGuard, rmtree)
Vinay Sajip7ded1f02012-05-26 03:45:29 +010020import unittest
21import venv
Cooper Lees4acdbf12019-06-17 11:18:14 -070022from unittest.mock import patch
Nick Coghlanae2ee962013-12-23 23:07:07 +100023
Victor Stinnerb3477882016-03-25 12:27:02 +010024try:
25 import ctypes
26except ImportError:
27 ctypes = None
28
Steve Dower8bba81f2019-03-21 10:04:21 -070029# Platforms that set sys._base_executable can create venvs from within
30# another venv, so no need to skip tests that require venv.create().
31requireVenvCreate = unittest.skipUnless(
Steve Dower9048c492019-06-29 10:34:11 -070032 sys.prefix == sys.base_prefix
33 or sys._base_executable != sys.executable,
Steve Dower8bba81f2019-03-21 10:04:21 -070034 'cannot run venv.create from within a venv on this platform')
Nick Coghlan8fbdb092013-11-23 00:30:34 +100035
Steve Dowerf14c28f2018-09-20 13:38:34 -070036def check_output(cmd, encoding=None):
37 p = subprocess.Popen(cmd,
38 stdout=subprocess.PIPE,
39 stderr=subprocess.PIPE,
40 encoding=encoding)
41 out, err = p.communicate()
42 if p.returncode:
43 raise subprocess.CalledProcessError(
Pablo Galindob9392502018-11-07 22:21:17 +000044 p.returncode, cmd, out, err)
Steve Dowerf14c28f2018-09-20 13:38:34 -070045 return out, err
46
Vinay Sajip7ded1f02012-05-26 03:45:29 +010047class BaseTest(unittest.TestCase):
48 """Base class for venv tests."""
Victor Stinnerbdc337b2016-03-25 12:30:40 +010049 maxDiff = 80 * 50
Vinay Sajip7ded1f02012-05-26 03:45:29 +010050
51 def setUp(self):
Ned Deily045bd532012-07-13 15:48:04 -070052 self.env_dir = os.path.realpath(tempfile.mkdtemp())
Vinay Sajip7ded1f02012-05-26 03:45:29 +010053 if os.name == 'nt':
54 self.bindir = 'Scripts'
Vinay Sajip7ded1f02012-05-26 03:45:29 +010055 self.lib = ('Lib',)
56 self.include = 'Include'
Vinay Sajip7ded1f02012-05-26 03:45:29 +010057 else:
58 self.bindir = 'bin'
Serhiy Storchaka885bdc42016-02-11 13:10:36 +020059 self.lib = ('lib', 'python%d.%d' % sys.version_info[:2])
Vinay Sajip7ded1f02012-05-26 03:45:29 +010060 self.include = 'include'
Steve Dower9048c492019-06-29 10:34:11 -070061 executable = sys._base_executable
Vinay Sajip382a7c02012-05-28 16:34:47 +010062 self.exe = os.path.split(executable)[-1]
Steve Dower9048c492019-06-29 10:34:11 -070063 if (sys.platform == 'win32'
64 and os.path.lexists(executable)
65 and not os.path.exists(executable)):
66 self.cannot_link_exe = True
67 else:
68 self.cannot_link_exe = False
Vinay Sajip7ded1f02012-05-26 03:45:29 +010069
70 def tearDown(self):
Victor Stinner866c4e22014-10-10 14:23:00 +020071 rmtree(self.env_dir)
Vinay Sajip7ded1f02012-05-26 03:45:29 +010072
73 def run_with_capture(self, func, *args, **kwargs):
74 with captured_stdout() as output:
75 with captured_stderr() as error:
76 func(*args, **kwargs)
77 return output.getvalue(), error.getvalue()
78
79 def get_env_file(self, *args):
80 return os.path.join(self.env_dir, *args)
81
Serhiy Storchaka700cfa82020-06-25 17:56:31 +030082 def get_text_file_contents(self, *args, encoding='utf-8'):
83 with open(self.get_env_file(*args), 'r', encoding=encoding) as f:
Vinay Sajip7ded1f02012-05-26 03:45:29 +010084 result = f.read()
85 return result
86
87class BasicTest(BaseTest):
88 """Test venv module functionality."""
89
Vinay Sajipb3b49cd2012-05-27 18:39:22 +010090 def isdir(self, *args):
91 fn = self.get_env_file(*args)
92 self.assertTrue(os.path.isdir(fn))
93
Vinay Sajip7ded1f02012-05-26 03:45:29 +010094 def test_defaults(self):
95 """
96 Test the create function with default arguments.
97 """
Victor Stinner866c4e22014-10-10 14:23:00 +020098 rmtree(self.env_dir)
Vinay Sajip7ded1f02012-05-26 03:45:29 +010099 self.run_with_capture(venv.create, self.env_dir)
Vinay Sajipb3b49cd2012-05-27 18:39:22 +0100100 self.isdir(self.bindir)
101 self.isdir(self.include)
102 self.isdir(*self.lib)
Vinay Sajip1e53f8d2014-04-15 11:18:10 +0100103 # Issue 21197
104 p = self.get_env_file('lib64')
105 conditions = ((struct.calcsize('P') == 8) and (os.name == 'posix') and
106 (sys.platform != 'darwin'))
107 if conditions:
108 self.assertTrue(os.path.islink(p))
109 else:
110 self.assertFalse(os.path.exists(p))
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100111 data = self.get_text_file_contents('pyvenv.cfg')
Steve Dower9048c492019-06-29 10:34:11 -0700112 executable = sys._base_executable
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100113 path = os.path.dirname(executable)
114 self.assertIn('home = %s' % path, data)
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100115 fn = self.get_env_file(self.bindir, self.exe)
Vinay Sajip7e203492012-05-27 17:30:09 +0100116 if not os.path.exists(fn): # diagnostics for Windows buildbot failures
Vinay Sajipb3b49cd2012-05-27 18:39:22 +0100117 bd = self.get_env_file(self.bindir)
118 print('Contents of %r:' % bd)
119 print(' %r' % os.listdir(bd))
Vinay Sajip7e203492012-05-27 17:30:09 +0100120 self.assertTrue(os.path.exists(fn), 'File %r should exist.' % fn)
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100121
Vinay Sajipfd0f84b2016-08-06 10:43:44 +0100122 def test_prompt(self):
123 env_name = os.path.split(self.env_dir)[1]
124
Cheryl Sabella839b9252019-03-12 20:15:47 -0400125 rmtree(self.env_dir)
Vinay Sajipfd0f84b2016-08-06 10:43:44 +0100126 builder = venv.EnvBuilder()
Cheryl Sabella839b9252019-03-12 20:15:47 -0400127 self.run_with_capture(builder.create, self.env_dir)
Vinay Sajipfd0f84b2016-08-06 10:43:44 +0100128 context = builder.ensure_directories(self.env_dir)
Cheryl Sabellad5a70c62019-03-08 17:01:27 -0500129 data = self.get_text_file_contents('pyvenv.cfg')
Cheryl Sabella839b9252019-03-12 20:15:47 -0400130 self.assertEqual(context.prompt, '(%s) ' % env_name)
Cheryl Sabellad5a70c62019-03-08 17:01:27 -0500131 self.assertNotIn("prompt = ", data)
Vinay Sajipfd0f84b2016-08-06 10:43:44 +0100132
Cheryl Sabella839b9252019-03-12 20:15:47 -0400133 rmtree(self.env_dir)
Vinay Sajipfd0f84b2016-08-06 10:43:44 +0100134 builder = venv.EnvBuilder(prompt='My prompt')
Cheryl Sabella839b9252019-03-12 20:15:47 -0400135 self.run_with_capture(builder.create, self.env_dir)
Vinay Sajipfd0f84b2016-08-06 10:43:44 +0100136 context = builder.ensure_directories(self.env_dir)
Cheryl Sabellad5a70c62019-03-08 17:01:27 -0500137 data = self.get_text_file_contents('pyvenv.cfg')
Cheryl Sabella839b9252019-03-12 20:15:47 -0400138 self.assertEqual(context.prompt, '(My prompt) ')
Cheryl Sabellad5a70c62019-03-08 17:01:27 -0500139 self.assertIn("prompt = 'My prompt'\n", data)
Vinay Sajipfd0f84b2016-08-06 10:43:44 +0100140
Vinay Sajip7d637802020-01-14 20:49:30 +0000141 rmtree(self.env_dir)
142 builder = venv.EnvBuilder(prompt='.')
143 cwd = os.path.basename(os.getcwd())
144 self.run_with_capture(builder.create, self.env_dir)
145 context = builder.ensure_directories(self.env_dir)
146 data = self.get_text_file_contents('pyvenv.cfg')
147 self.assertEqual(context.prompt, '(%s) ' % cwd)
148 self.assertIn("prompt = '%s'\n" % cwd, data)
149
Cooper Lees4acdbf12019-06-17 11:18:14 -0700150 def test_upgrade_dependencies(self):
151 builder = venv.EnvBuilder()
152 bin_path = 'Scripts' if sys.platform == 'win32' else 'bin'
Miss Islington (bot)eabca6e2021-10-07 15:55:05 -0700153 python_exe = os.path.split(sys.executable)[1]
Cooper Lees4acdbf12019-06-17 11:18:14 -0700154 with tempfile.TemporaryDirectory() as fake_env_dir:
Miss Islington (bot)eabca6e2021-10-07 15:55:05 -0700155 expect_exe = os.path.normcase(
156 os.path.join(fake_env_dir, bin_path, python_exe)
157 )
158 if sys.platform == 'win32':
159 expect_exe = os.path.normcase(os.path.realpath(expect_exe))
Cooper Lees4acdbf12019-06-17 11:18:14 -0700160
161 def pip_cmd_checker(cmd):
Miss Islington (bot)eabca6e2021-10-07 15:55:05 -0700162 cmd[0] = os.path.normcase(cmd[0])
Cooper Lees4acdbf12019-06-17 11:18:14 -0700163 self.assertEqual(
164 cmd,
165 [
Miss Islington (bot)eabca6e2021-10-07 15:55:05 -0700166 expect_exe,
Tzu-ping Chungd9aa2162019-11-28 04:25:23 +0800167 '-m',
168 'pip',
Cooper Lees4acdbf12019-06-17 11:18:14 -0700169 'install',
Tzu-ping Chungd9aa2162019-11-28 04:25:23 +0800170 '--upgrade',
Cooper Lees4acdbf12019-06-17 11:18:14 -0700171 'pip',
172 'setuptools'
173 ]
174 )
175
176 fake_context = builder.ensure_directories(fake_env_dir)
177 with patch('venv.subprocess.check_call', pip_cmd_checker):
178 builder.upgrade_dependencies(fake_context)
179
Steve Dower8bba81f2019-03-21 10:04:21 -0700180 @requireVenvCreate
Vinay Sajip3874e542012-07-03 16:56:40 +0100181 def test_prefixes(self):
182 """
183 Test that the prefix values are as expected.
184 """
Vinay Sajip3874e542012-07-03 16:56:40 +0100185 # check a venv's prefixes
Victor Stinner866c4e22014-10-10 14:23:00 +0200186 rmtree(self.env_dir)
Vinay Sajip3874e542012-07-03 16:56:40 +0100187 self.run_with_capture(venv.create, self.env_dir)
188 envpy = os.path.join(self.env_dir, self.bindir, self.exe)
189 cmd = [envpy, '-c', None]
190 for prefix, expected in (
191 ('prefix', self.env_dir),
Steve Dower9048c492019-06-29 10:34:11 -0700192 ('exec_prefix', self.env_dir),
193 ('base_prefix', sys.base_prefix),
194 ('base_exec_prefix', sys.base_exec_prefix)):
Vinay Sajip3874e542012-07-03 16:56:40 +0100195 cmd[2] = 'import sys; print(sys.%s)' % prefix
Steve Dowerf14c28f2018-09-20 13:38:34 -0700196 out, err = check_output(cmd)
Antoine Pitrou9c92a692012-08-05 00:33:10 +0200197 self.assertEqual(out.strip(), expected.encode())
Vinay Sajip3874e542012-07-03 16:56:40 +0100198
Vinay Sajipbd40d3e2012-10-11 17:22:45 +0100199 if sys.platform == 'win32':
200 ENV_SUBDIRS = (
201 ('Scripts',),
202 ('Include',),
203 ('Lib',),
204 ('Lib', 'site-packages'),
205 )
206 else:
207 ENV_SUBDIRS = (
208 ('bin',),
209 ('include',),
210 ('lib',),
211 ('lib', 'python%d.%d' % sys.version_info[:2]),
212 ('lib', 'python%d.%d' % sys.version_info[:2], 'site-packages'),
213 )
214
215 def create_contents(self, paths, filename):
216 """
217 Create some files in the environment which are unrelated
218 to the virtual environment.
219 """
220 for subdirs in paths:
221 d = os.path.join(self.env_dir, *subdirs)
222 os.mkdir(d)
223 fn = os.path.join(d, filename)
224 with open(fn, 'wb') as f:
225 f.write(b'Still here?')
226
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100227 def test_overwrite_existing(self):
228 """
Vinay Sajipbd40d3e2012-10-11 17:22:45 +0100229 Test creating environment in an existing directory.
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100230 """
Vinay Sajipbd40d3e2012-10-11 17:22:45 +0100231 self.create_contents(self.ENV_SUBDIRS, 'foo')
232 venv.create(self.env_dir)
233 for subdirs in self.ENV_SUBDIRS:
234 fn = os.path.join(self.env_dir, *(subdirs + ('foo',)))
235 self.assertTrue(os.path.exists(fn))
236 with open(fn, 'rb') as f:
237 self.assertEqual(f.read(), b'Still here?')
238
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100239 builder = venv.EnvBuilder(clear=True)
240 builder.create(self.env_dir)
Vinay Sajipbd40d3e2012-10-11 17:22:45 +0100241 for subdirs in self.ENV_SUBDIRS:
242 fn = os.path.join(self.env_dir, *(subdirs + ('foo',)))
243 self.assertFalse(os.path.exists(fn))
244
245 def clear_directory(self, path):
246 for fn in os.listdir(path):
247 fn = os.path.join(path, fn)
248 if os.path.islink(fn) or os.path.isfile(fn):
249 os.remove(fn)
250 elif os.path.isdir(fn):
Victor Stinner866c4e22014-10-10 14:23:00 +0200251 rmtree(fn)
Vinay Sajipbd40d3e2012-10-11 17:22:45 +0100252
253 def test_unoverwritable_fails(self):
254 #create a file clashing with directories in the env dir
255 for paths in self.ENV_SUBDIRS[:3]:
256 fn = os.path.join(self.env_dir, *paths)
257 with open(fn, 'wb') as f:
258 f.write(b'')
259 self.assertRaises((ValueError, OSError), venv.create, self.env_dir)
260 self.clear_directory(self.env_dir)
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100261
Vinay Sajipb3b49cd2012-05-27 18:39:22 +0100262 def test_upgrade(self):
263 """
264 Test upgrading an existing environment directory.
265 """
Vinay Sajipb9b965f2014-06-03 16:47:51 +0100266 # See Issue #21643: the loop needs to run twice to ensure
267 # that everything works on the upgrade (the first run just creates
268 # the venv).
269 for upgrade in (False, True):
270 builder = venv.EnvBuilder(upgrade=upgrade)
271 self.run_with_capture(builder.create, self.env_dir)
272 self.isdir(self.bindir)
273 self.isdir(self.include)
274 self.isdir(*self.lib)
275 fn = self.get_env_file(self.bindir, self.exe)
276 if not os.path.exists(fn):
277 # diagnostics for Windows buildbot failures
278 bd = self.get_env_file(self.bindir)
279 print('Contents of %r:' % bd)
280 print(' %r' % os.listdir(bd))
281 self.assertTrue(os.path.exists(fn), 'File %r should exist.' % fn)
Vinay Sajipb3b49cd2012-05-27 18:39:22 +0100282
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100283 def test_isolation(self):
284 """
285 Test isolation from system site-packages
286 """
287 for ssp, s in ((True, 'true'), (False, 'false')):
288 builder = venv.EnvBuilder(clear=True, system_site_packages=ssp)
289 builder.create(self.env_dir)
290 data = self.get_text_file_contents('pyvenv.cfg')
291 self.assertIn('include-system-site-packages = %s\n' % s, data)
292
293 @unittest.skipUnless(can_symlink(), 'Needs symlinks')
294 def test_symlinking(self):
295 """
296 Test symlinking works as expected
297 """
298 for usl in (False, True):
299 builder = venv.EnvBuilder(clear=True, symlinks=usl)
Vinay Sajip90db6612012-07-17 17:33:46 +0100300 builder.create(self.env_dir)
301 fn = self.get_env_file(self.bindir, self.exe)
302 # Don't test when False, because e.g. 'python' is always
303 # symlinked to 'python3.3' in the env, even when symlinking in
304 # general isn't wanted.
305 if usl:
Steve Dower9048c492019-06-29 10:34:11 -0700306 if self.cannot_link_exe:
307 # Symlinking is skipped when our executable is already a
308 # special app symlink
309 self.assertFalse(os.path.islink(fn))
310 else:
311 self.assertTrue(os.path.islink(fn))
Vinay Sajip90db6612012-07-17 17:33:46 +0100312
313 # If a venv is created from a source build and that venv is used to
314 # run the test, the pyvenv.cfg in the venv created in the test will
315 # point to the venv being used to run the test, and we lose the link
316 # to the source build - so Python can't initialise properly.
Steve Dower8bba81f2019-03-21 10:04:21 -0700317 @requireVenvCreate
Vinay Sajip90db6612012-07-17 17:33:46 +0100318 def test_executable(self):
319 """
320 Test that the sys.executable value is as expected.
321 """
Victor Stinner866c4e22014-10-10 14:23:00 +0200322 rmtree(self.env_dir)
Vinay Sajip90db6612012-07-17 17:33:46 +0100323 self.run_with_capture(venv.create, self.env_dir)
Steve Dowerf14c28f2018-09-20 13:38:34 -0700324 envpy = os.path.join(os.path.realpath(self.env_dir),
325 self.bindir, self.exe)
326 out, err = check_output([envpy, '-c',
327 'import sys; print(sys.executable)'])
Antoine Pitrou9c92a692012-08-05 00:33:10 +0200328 self.assertEqual(out.strip(), envpy.encode())
Vinay Sajip90db6612012-07-17 17:33:46 +0100329
330 @unittest.skipUnless(can_symlink(), 'Needs symlinks')
331 def test_executable_symlinks(self):
332 """
333 Test that the sys.executable value is as expected.
334 """
Victor Stinner866c4e22014-10-10 14:23:00 +0200335 rmtree(self.env_dir)
Vinay Sajip90db6612012-07-17 17:33:46 +0100336 builder = venv.EnvBuilder(clear=True, symlinks=True)
337 builder.create(self.env_dir)
Steve Dowerf14c28f2018-09-20 13:38:34 -0700338 envpy = os.path.join(os.path.realpath(self.env_dir),
339 self.bindir, self.exe)
340 out, err = check_output([envpy, '-c',
341 'import sys; print(sys.executable)'])
Antoine Pitrou9c92a692012-08-05 00:33:10 +0200342 self.assertEqual(out.strip(), envpy.encode())
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100343
Steve Dower62409172018-02-19 17:25:24 -0800344 @unittest.skipUnless(os.name == 'nt', 'only relevant on Windows')
345 def test_unicode_in_batch_file(self):
346 """
Steve Dowerf14c28f2018-09-20 13:38:34 -0700347 Test handling of Unicode paths
Steve Dower62409172018-02-19 17:25:24 -0800348 """
349 rmtree(self.env_dir)
350 env_dir = os.path.join(os.path.realpath(self.env_dir), 'ϼўТλФЙ')
351 builder = venv.EnvBuilder(clear=True)
352 builder.create(env_dir)
353 activate = os.path.join(env_dir, self.bindir, 'activate.bat')
354 envpy = os.path.join(env_dir, self.bindir, self.exe)
Steve Dowerf14c28f2018-09-20 13:38:34 -0700355 out, err = check_output(
356 [activate, '&', self.exe, '-c', 'print(0)'],
357 encoding='oem',
358 )
Steve Dower62409172018-02-19 17:25:24 -0800359 self.assertEqual(out.strip(), '0')
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000360
Steve Dower8bba81f2019-03-21 10:04:21 -0700361 @requireVenvCreate
Steve Dower4e02f8f82019-01-25 14:59:12 -0800362 def test_multiprocessing(self):
363 """
364 Test that the multiprocessing is able to spawn.
365 """
Victor Stinnerddbeb2f2020-06-18 14:53:19 +0200366 # bpo-36342: Instantiation of a Pool object imports the
xdegaye5437ccc2019-05-30 23:42:29 +0200367 # multiprocessing.synchronize module. Skip the test if this module
368 # cannot be imported.
Victor Stinnerddbeb2f2020-06-18 14:53:19 +0200369 skip_if_broken_multiprocessing_synchronize()
370
Steve Dower4e02f8f82019-01-25 14:59:12 -0800371 rmtree(self.env_dir)
372 self.run_with_capture(venv.create, self.env_dir)
373 envpy = os.path.join(os.path.realpath(self.env_dir),
374 self.bindir, self.exe)
375 out, err = check_output([envpy, '-c',
Victor Stinnerbc6469f2019-06-04 19:03:13 +0200376 'from multiprocessing import Pool; '
377 'pool = Pool(1); '
378 'print(pool.apply_async("Python".lower).get(3)); '
379 'pool.terminate()'])
Steve Dower4e02f8f82019-01-25 14:59:12 -0800380 self.assertEqual(out.strip(), "python".encode())
381
Daniel Abrahamsson5209e582019-09-11 16:58:56 +0200382 @unittest.skipIf(os.name == 'nt', 'not relevant on Windows')
383 def test_deactivate_with_strict_bash_opts(self):
384 bash = shutil.which("bash")
385 if bash is None:
386 self.skipTest("bash required for this test")
387 rmtree(self.env_dir)
388 builder = venv.EnvBuilder(clear=True)
389 builder.create(self.env_dir)
390 activate = os.path.join(self.env_dir, self.bindir, "activate")
391 test_script = os.path.join(self.env_dir, "test_strict.sh")
392 with open(test_script, "w") as f:
393 f.write("set -euo pipefail\n"
394 f"source {activate}\n"
395 "deactivate\n")
396 out, err = check_output([bash, test_script])
397 self.assertEqual(out, "".encode())
398 self.assertEqual(err, "".encode())
399
400
Ronald Oussoren044cf942020-03-22 19:31:46 +0100401 @unittest.skipUnless(sys.platform == 'darwin', 'only relevant on macOS')
402 def test_macos_env(self):
403 rmtree(self.env_dir)
404 builder = venv.EnvBuilder()
405 builder.create(self.env_dir)
406
407 envpy = os.path.join(os.path.realpath(self.env_dir),
408 self.bindir, self.exe)
409 out, err = check_output([envpy, '-c',
410 'import os; print("__PYVENV_LAUNCHER__" in os.environ)'])
411 self.assertEqual(out.strip(), 'False'.encode())
412
Steve Dower8bba81f2019-03-21 10:04:21 -0700413@requireVenvCreate
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000414class EnsurePipTest(BaseTest):
415 """Test venv module installation of pip."""
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000416 def assert_pip_not_installed(self):
417 envpy = os.path.join(os.path.realpath(self.env_dir),
418 self.bindir, self.exe)
Steve Dowerf14c28f2018-09-20 13:38:34 -0700419 out, err = check_output([envpy, '-c',
420 'try:\n import pip\nexcept ImportError:\n print("OK")'])
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000421 # We force everything to text, so unittest gives the detailed diff
422 # if we get unexpected results
423 err = err.decode("latin-1") # Force to text, prevent decoding errors
424 self.assertEqual(err, "")
425 out = out.decode("latin-1") # Force to text, prevent decoding errors
426 self.assertEqual(out.strip(), "OK")
427
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000428
429 def test_no_pip_by_default(self):
Victor Stinner866c4e22014-10-10 14:23:00 +0200430 rmtree(self.env_dir)
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000431 self.run_with_capture(venv.create, self.env_dir)
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000432 self.assert_pip_not_installed()
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000433
434 def test_explicit_no_pip(self):
Victor Stinner866c4e22014-10-10 14:23:00 +0200435 rmtree(self.env_dir)
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000436 self.run_with_capture(venv.create, self.env_dir, with_pip=False)
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000437 self.assert_pip_not_installed()
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000438
Victor Stinnerbdc337b2016-03-25 12:30:40 +0100439 def test_devnull(self):
Nick Coghlan456ab5d2014-02-05 23:54:55 +1000440 # Fix for issue #20053 uses os.devnull to force a config file to
Nick Coghlan11c5afd2014-02-07 23:46:38 +1000441 # appear empty. However http://bugs.python.org/issue20541 means
442 # that doesn't currently work properly on Windows. Once that is
443 # fixed, the "win_location" part of test_with_pip should be restored
Nick Coghlan456ab5d2014-02-05 23:54:55 +1000444 with open(os.devnull, "rb") as f:
445 self.assertEqual(f.read(), b"")
446
Steve Dowerdf2d4a62019-08-21 15:27:33 -0700447 self.assertTrue(os.path.exists(os.devnull))
Victor Stinnerbdc337b2016-03-25 12:30:40 +0100448
Vinay Sajipdb6322c2017-02-02 19:05:19 +0000449 def do_test_with_pip(self, system_site_packages):
Victor Stinner866c4e22014-10-10 14:23:00 +0200450 rmtree(self.env_dir)
Nick Coghland76cdc12013-11-23 11:37:28 +1000451 with EnvironmentVarGuard() as envvars:
452 # pip's cross-version compatibility may trigger deprecation
453 # warnings in current versions of Python. Ensure related
454 # environment settings don't cause venv to fail.
Brett Cannon2de50972020-12-04 15:39:21 -0800455 envvars["PYTHONWARNINGS"] = "ignore"
Nick Coghlan6256fcb2013-12-23 16:16:07 +1000456 # ensurepip is different enough from a normal pip invocation
457 # that we want to ensure it ignores the normal pip environment
458 # variable settings. We set PIP_NO_INSTALL here specifically
459 # to check that ensurepip (and hence venv) ignores it.
Nick Coghlan6edd82a2014-02-04 23:02:36 +1000460 # See http://bugs.python.org/issue19734
Nick Coghlan6256fcb2013-12-23 16:16:07 +1000461 envvars["PIP_NO_INSTALL"] = "1"
Nick Coghlan6edd82a2014-02-04 23:02:36 +1000462 # Also check that we ignore the pip configuration file
463 # See http://bugs.python.org/issue20053
464 with tempfile.TemporaryDirectory() as home_dir:
465 envvars["HOME"] = home_dir
466 bad_config = "[global]\nno-install=1"
467 # Write to both config file names on all platforms to reduce
468 # cross-platform variation in test code behaviour
469 win_location = ("pip", "pip.ini")
470 posix_location = (".pip", "pip.conf")
Nick Coghlan11c5afd2014-02-07 23:46:38 +1000471 # Skips win_location due to http://bugs.python.org/issue20541
472 for dirname, fname in (posix_location,):
Nick Coghlan6edd82a2014-02-04 23:02:36 +1000473 dirpath = os.path.join(home_dir, dirname)
474 os.mkdir(dirpath)
475 fpath = os.path.join(dirpath, fname)
476 with open(fpath, 'w') as f:
477 f.write(bad_config)
478
479 # Actually run the create command with all that unhelpful
480 # config in place to ensure we ignore it
481 try:
482 self.run_with_capture(venv.create, self.env_dir,
Vinay Sajipdb6322c2017-02-02 19:05:19 +0000483 system_site_packages=system_site_packages,
Nick Coghlan6edd82a2014-02-04 23:02:36 +1000484 with_pip=True)
485 except subprocess.CalledProcessError as exc:
486 # The output this produces can be a little hard to read,
487 # but at least it has all the details
488 details = exc.output.decode(errors="replace")
489 msg = "{}\n\n**Subprocess Output**\n{}"
490 self.fail(msg.format(exc, details))
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000491 # Ensure pip is available in the virtual environment
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000492 envpy = os.path.join(os.path.realpath(self.env_dir), self.bindir, self.exe)
Victor Stinner895862a2017-11-20 09:47:03 -0800493 # Ignore DeprecationWarning since pip code is not part of Python
Brett Cannon2de50972020-12-04 15:39:21 -0800494 out, err = check_output([envpy, '-W', 'ignore::DeprecationWarning',
495 '-W', 'ignore::ImportWarning', '-I',
Steve Dowerf14c28f2018-09-20 13:38:34 -0700496 '-m', 'pip', '--version'])
Nick Coghlan6fd12f22013-11-24 11:36:31 +1000497 # We force everything to text, so unittest gives the detailed diff
498 # if we get unexpected results
499 err = err.decode("latin-1") # Force to text, prevent decoding errors
500 self.assertEqual(err, "")
501 out = out.decode("latin-1") # Force to text, prevent decoding errors
Nick Coghlan1b1b1782013-11-30 15:56:58 +1000502 expected_version = "pip {}".format(ensurepip.version())
503 self.assertEqual(out[:len(expected_version)], expected_version)
Nick Coghlan6fd12f22013-11-24 11:36:31 +1000504 env_dir = os.fsencode(self.env_dir).decode("latin-1")
Nick Coghlan6fd12f22013-11-24 11:36:31 +1000505 self.assertIn(env_dir, out)
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000506
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000507 # http://bugs.python.org/issue19728
508 # Check the private uninstall command provided for the Windows
509 # installers works (at least in a virtual environment)
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000510 with EnvironmentVarGuard() as envvars:
Brett Cannon2de50972020-12-04 15:39:21 -0800511 # It seems ensurepip._uninstall calls subprocesses which do not
512 # inherit the interpreter settings.
513 envvars["PYTHONWARNINGS"] = "ignore"
Steve Dowerf14c28f2018-09-20 13:38:34 -0700514 out, err = check_output([envpy,
Brett Cannon2de50972020-12-04 15:39:21 -0800515 '-W', 'ignore::DeprecationWarning',
516 '-W', 'ignore::ImportWarning', '-I',
Steve Dowerf14c28f2018-09-20 13:38:34 -0700517 '-m', 'ensurepip._uninstall'])
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000518 # We force everything to text, so unittest gives the detailed diff
519 # if we get unexpected results
520 err = err.decode("latin-1") # Force to text, prevent decoding errors
Victor Stinner87d6e132016-03-14 18:21:58 +0100521 # Ignore the warning:
522 # "The directory '$HOME/.cache/pip/http' or its parent directory
523 # is not owned by the current user and the cache has been disabled.
524 # Please check the permissions and owner of that directory. If
525 # executing pip with sudo, you may want sudo's -H flag."
526 # where $HOME is replaced by the HOME environment variable.
Steve Dowerb1eb20e2019-07-26 09:06:04 -0700527 err = re.sub("^(WARNING: )?The directory .* or its parent directory "
Xavier Fernandez5f79f462020-06-15 21:16:48 +0200528 "is not owned or is not writable by the current user.*$", "",
Steve Dowerb1eb20e2019-07-26 09:06:04 -0700529 err, flags=re.MULTILINE)
Victor Stinner87d6e132016-03-14 18:21:58 +0100530 self.assertEqual(err.rstrip(), "")
Nick Coghlan8ddd59e2013-11-30 18:35:32 +1000531 # Being fairly specific regarding the expected behaviour for the
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000532 # initial bundling phase in Python 3.4. If the output changes in
Nick Coghlan8ddd59e2013-11-30 18:35:32 +1000533 # future pip versions, this test can likely be relaxed further.
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000534 out = out.decode("latin-1") # Force to text, prevent decoding errors
Nick Coghlan8ddd59e2013-11-30 18:35:32 +1000535 self.assertIn("Successfully uninstalled pip", out)
536 self.assertIn("Successfully uninstalled setuptools", out)
Vinay Sajipdb6322c2017-02-02 19:05:19 +0000537 # Check pip is now gone from the virtual environment. This only
538 # applies in the system_site_packages=False case, because in the
539 # other case, pip may still be available in the system site-packages
540 if not system_site_packages:
541 self.assert_pip_not_installed()
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000542
Vinay Sajipdb6322c2017-02-02 19:05:19 +0000543 # Issue #26610: pip/pep425tags.py requires ctypes
544 @unittest.skipUnless(ctypes, 'pip requires ctypes')
Hai Shia3ec3ad2020-05-19 06:02:57 +0800545 @requires_zlib()
Vinay Sajipdb6322c2017-02-02 19:05:19 +0000546 def test_with_pip(self):
547 self.do_test_with_pip(False)
548 self.do_test_with_pip(True)
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000549
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100550if __name__ == "__main__":
Zachary Ware38c707e2015-04-13 15:00:43 -0500551 unittest.main()