blob: e13cd8cf9890c7cb35222c8112765f6f2f0ea448 [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
11import shutil
Vinay Sajip1e53f8d2014-04-15 11:18:10 +010012import struct
Vinay Sajip3874e542012-07-03 16:56:40 +010013import subprocess
Vinay Sajip7ded1f02012-05-26 03:45:29 +010014import sys
15import tempfile
16from test.support import (captured_stdout, captured_stderr, run_unittest,
Nick Coghland76cdc12013-11-23 11:37:28 +100017 can_symlink, EnvironmentVarGuard)
Nick Coghlanfdf3a622013-11-30 17:15:09 +100018import textwrap
Vinay Sajip7ded1f02012-05-26 03:45:29 +010019import unittest
20import venv
Nick Coghlanae2ee962013-12-23 23:07:07 +100021
22# pip currently requires ssl support, so we ensure we handle
23# it being missing (http://bugs.python.org/issue19744)
Nick Coghlan878d2582013-11-24 12:45:25 +100024try:
25 import ssl
26except ImportError:
27 ssl = None
Vinay Sajip7ded1f02012-05-26 03:45:29 +010028
Nick Coghlan8fbdb092013-11-23 00:30:34 +100029skipInVenv = unittest.skipIf(sys.prefix != sys.base_prefix,
30 'Test not appropriate in a venv')
31
Nick Coghlan11c5afd2014-02-07 23:46:38 +100032# os.path.exists('nul') is False: http://bugs.python.org/issue20541
33if os.devnull.lower() == 'nul':
34 failsOnWindows = unittest.expectedFailure
35else:
36 def failsOnWindows(f):
37 return f
Nick Coghlan8fbdb092013-11-23 00:30:34 +100038
Vinay Sajip7ded1f02012-05-26 03:45:29 +010039class BaseTest(unittest.TestCase):
40 """Base class for venv tests."""
41
42 def setUp(self):
Ned Deily045bd532012-07-13 15:48:04 -070043 self.env_dir = os.path.realpath(tempfile.mkdtemp())
Vinay Sajip7ded1f02012-05-26 03:45:29 +010044 if os.name == 'nt':
45 self.bindir = 'Scripts'
Vinay Sajip7ded1f02012-05-26 03:45:29 +010046 self.lib = ('Lib',)
47 self.include = 'Include'
Vinay Sajip7ded1f02012-05-26 03:45:29 +010048 else:
49 self.bindir = 'bin'
Vinay Sajip7ded1f02012-05-26 03:45:29 +010050 self.lib = ('lib', 'python%s' % sys.version[:3])
51 self.include = 'include'
Vinay Sajip28952442012-06-25 00:47:46 +010052 if sys.platform == 'darwin' and '__PYVENV_LAUNCHER__' in os.environ:
53 executable = os.environ['__PYVENV_LAUNCHER__']
Vinay Sajip382a7c02012-05-28 16:34:47 +010054 else:
55 executable = sys.executable
56 self.exe = os.path.split(executable)[-1]
Vinay Sajip7ded1f02012-05-26 03:45:29 +010057
58 def tearDown(self):
59 shutil.rmtree(self.env_dir)
60
61 def run_with_capture(self, func, *args, **kwargs):
62 with captured_stdout() as output:
63 with captured_stderr() as error:
64 func(*args, **kwargs)
65 return output.getvalue(), error.getvalue()
66
67 def get_env_file(self, *args):
68 return os.path.join(self.env_dir, *args)
69
70 def get_text_file_contents(self, *args):
71 with open(self.get_env_file(*args), 'r') as f:
72 result = f.read()
73 return result
74
75class BasicTest(BaseTest):
76 """Test venv module functionality."""
77
Vinay Sajipb3b49cd2012-05-27 18:39:22 +010078 def isdir(self, *args):
79 fn = self.get_env_file(*args)
80 self.assertTrue(os.path.isdir(fn))
81
Vinay Sajip7ded1f02012-05-26 03:45:29 +010082 def test_defaults(self):
83 """
84 Test the create function with default arguments.
85 """
Vinay Sajip7ded1f02012-05-26 03:45:29 +010086 shutil.rmtree(self.env_dir)
87 self.run_with_capture(venv.create, self.env_dir)
Vinay Sajipb3b49cd2012-05-27 18:39:22 +010088 self.isdir(self.bindir)
89 self.isdir(self.include)
90 self.isdir(*self.lib)
Vinay Sajip1e53f8d2014-04-15 11:18:10 +010091 # Issue 21197
92 p = self.get_env_file('lib64')
93 conditions = ((struct.calcsize('P') == 8) and (os.name == 'posix') and
94 (sys.platform != 'darwin'))
95 if conditions:
96 self.assertTrue(os.path.islink(p))
97 else:
98 self.assertFalse(os.path.exists(p))
Vinay Sajip7ded1f02012-05-26 03:45:29 +010099 data = self.get_text_file_contents('pyvenv.cfg')
Vinay Sajip28952442012-06-25 00:47:46 +0100100 if sys.platform == 'darwin' and ('__PYVENV_LAUNCHER__'
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100101 in os.environ):
Vinay Sajip28952442012-06-25 00:47:46 +0100102 executable = os.environ['__PYVENV_LAUNCHER__']
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100103 else:
104 executable = sys.executable
105 path = os.path.dirname(executable)
106 self.assertIn('home = %s' % path, data)
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100107 fn = self.get_env_file(self.bindir, self.exe)
Vinay Sajip7e203492012-05-27 17:30:09 +0100108 if not os.path.exists(fn): # diagnostics for Windows buildbot failures
Vinay Sajipb3b49cd2012-05-27 18:39:22 +0100109 bd = self.get_env_file(self.bindir)
110 print('Contents of %r:' % bd)
111 print(' %r' % os.listdir(bd))
Vinay Sajip7e203492012-05-27 17:30:09 +0100112 self.assertTrue(os.path.exists(fn), 'File %r should exist.' % fn)
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100113
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000114 @skipInVenv
Vinay Sajip3874e542012-07-03 16:56:40 +0100115 def test_prefixes(self):
116 """
117 Test that the prefix values are as expected.
118 """
119 #check our prefixes
120 self.assertEqual(sys.base_prefix, sys.prefix)
121 self.assertEqual(sys.base_exec_prefix, sys.exec_prefix)
122
123 # check a venv's prefixes
124 shutil.rmtree(self.env_dir)
125 self.run_with_capture(venv.create, self.env_dir)
126 envpy = os.path.join(self.env_dir, self.bindir, self.exe)
127 cmd = [envpy, '-c', None]
128 for prefix, expected in (
129 ('prefix', self.env_dir),
130 ('prefix', self.env_dir),
131 ('base_prefix', sys.prefix),
132 ('base_exec_prefix', sys.exec_prefix)):
133 cmd[2] = 'import sys; print(sys.%s)' % prefix
134 p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
135 stderr=subprocess.PIPE)
136 out, err = p.communicate()
Antoine Pitrou9c92a692012-08-05 00:33:10 +0200137 self.assertEqual(out.strip(), expected.encode())
Vinay Sajip3874e542012-07-03 16:56:40 +0100138
Vinay Sajipbd40d3e2012-10-11 17:22:45 +0100139 if sys.platform == 'win32':
140 ENV_SUBDIRS = (
141 ('Scripts',),
142 ('Include',),
143 ('Lib',),
144 ('Lib', 'site-packages'),
145 )
146 else:
147 ENV_SUBDIRS = (
148 ('bin',),
149 ('include',),
150 ('lib',),
151 ('lib', 'python%d.%d' % sys.version_info[:2]),
152 ('lib', 'python%d.%d' % sys.version_info[:2], 'site-packages'),
153 )
154
155 def create_contents(self, paths, filename):
156 """
157 Create some files in the environment which are unrelated
158 to the virtual environment.
159 """
160 for subdirs in paths:
161 d = os.path.join(self.env_dir, *subdirs)
162 os.mkdir(d)
163 fn = os.path.join(d, filename)
164 with open(fn, 'wb') as f:
165 f.write(b'Still here?')
166
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100167 def test_overwrite_existing(self):
168 """
Vinay Sajipbd40d3e2012-10-11 17:22:45 +0100169 Test creating environment in an existing directory.
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100170 """
Vinay Sajipbd40d3e2012-10-11 17:22:45 +0100171 self.create_contents(self.ENV_SUBDIRS, 'foo')
172 venv.create(self.env_dir)
173 for subdirs in self.ENV_SUBDIRS:
174 fn = os.path.join(self.env_dir, *(subdirs + ('foo',)))
175 self.assertTrue(os.path.exists(fn))
176 with open(fn, 'rb') as f:
177 self.assertEqual(f.read(), b'Still here?')
178
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100179 builder = venv.EnvBuilder(clear=True)
180 builder.create(self.env_dir)
Vinay Sajipbd40d3e2012-10-11 17:22:45 +0100181 for subdirs in self.ENV_SUBDIRS:
182 fn = os.path.join(self.env_dir, *(subdirs + ('foo',)))
183 self.assertFalse(os.path.exists(fn))
184
185 def clear_directory(self, path):
186 for fn in os.listdir(path):
187 fn = os.path.join(path, fn)
188 if os.path.islink(fn) or os.path.isfile(fn):
189 os.remove(fn)
190 elif os.path.isdir(fn):
191 shutil.rmtree(fn)
192
193 def test_unoverwritable_fails(self):
194 #create a file clashing with directories in the env dir
195 for paths in self.ENV_SUBDIRS[:3]:
196 fn = os.path.join(self.env_dir, *paths)
197 with open(fn, 'wb') as f:
198 f.write(b'')
199 self.assertRaises((ValueError, OSError), venv.create, self.env_dir)
200 self.clear_directory(self.env_dir)
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100201
Vinay Sajipb3b49cd2012-05-27 18:39:22 +0100202 def test_upgrade(self):
203 """
204 Test upgrading an existing environment directory.
205 """
206 builder = venv.EnvBuilder(upgrade=True)
207 self.run_with_capture(builder.create, self.env_dir)
208 self.isdir(self.bindir)
209 self.isdir(self.include)
210 self.isdir(*self.lib)
211 fn = self.get_env_file(self.bindir, self.exe)
212 if not os.path.exists(fn): # diagnostics for Windows buildbot failures
213 bd = self.get_env_file(self.bindir)
214 print('Contents of %r:' % bd)
215 print(' %r' % os.listdir(bd))
216 self.assertTrue(os.path.exists(fn), 'File %r should exist.' % fn)
217
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100218 def test_isolation(self):
219 """
220 Test isolation from system site-packages
221 """
222 for ssp, s in ((True, 'true'), (False, 'false')):
223 builder = venv.EnvBuilder(clear=True, system_site_packages=ssp)
224 builder.create(self.env_dir)
225 data = self.get_text_file_contents('pyvenv.cfg')
226 self.assertIn('include-system-site-packages = %s\n' % s, data)
227
228 @unittest.skipUnless(can_symlink(), 'Needs symlinks')
229 def test_symlinking(self):
230 """
231 Test symlinking works as expected
232 """
233 for usl in (False, True):
234 builder = venv.EnvBuilder(clear=True, symlinks=usl)
Vinay Sajip90db6612012-07-17 17:33:46 +0100235 builder.create(self.env_dir)
236 fn = self.get_env_file(self.bindir, self.exe)
237 # Don't test when False, because e.g. 'python' is always
238 # symlinked to 'python3.3' in the env, even when symlinking in
239 # general isn't wanted.
240 if usl:
241 self.assertTrue(os.path.islink(fn))
242
243 # If a venv is created from a source build and that venv is used to
244 # run the test, the pyvenv.cfg in the venv created in the test will
245 # point to the venv being used to run the test, and we lose the link
246 # to the source build - so Python can't initialise properly.
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000247 @skipInVenv
Vinay Sajip90db6612012-07-17 17:33:46 +0100248 def test_executable(self):
249 """
250 Test that the sys.executable value is as expected.
251 """
252 shutil.rmtree(self.env_dir)
253 self.run_with_capture(venv.create, self.env_dir)
254 envpy = os.path.join(os.path.realpath(self.env_dir), self.bindir, self.exe)
255 cmd = [envpy, '-c', 'import sys; print(sys.executable)']
256 p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
257 stderr=subprocess.PIPE)
258 out, err = p.communicate()
Antoine Pitrou9c92a692012-08-05 00:33:10 +0200259 self.assertEqual(out.strip(), envpy.encode())
Vinay Sajip90db6612012-07-17 17:33:46 +0100260
261 @unittest.skipUnless(can_symlink(), 'Needs symlinks')
262 def test_executable_symlinks(self):
263 """
264 Test that the sys.executable value is as expected.
265 """
266 shutil.rmtree(self.env_dir)
267 builder = venv.EnvBuilder(clear=True, symlinks=True)
268 builder.create(self.env_dir)
269 envpy = os.path.join(os.path.realpath(self.env_dir), self.bindir, self.exe)
270 cmd = [envpy, '-c', 'import sys; print(sys.executable)']
271 p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
272 stderr=subprocess.PIPE)
273 out, err = p.communicate()
Antoine Pitrou9c92a692012-08-05 00:33:10 +0200274 self.assertEqual(out.strip(), envpy.encode())
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100275
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000276
277@skipInVenv
278class EnsurePipTest(BaseTest):
279 """Test venv module installation of pip."""
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000280 def assert_pip_not_installed(self):
281 envpy = os.path.join(os.path.realpath(self.env_dir),
282 self.bindir, self.exe)
283 try_import = 'try:\n import pip\nexcept ImportError:\n print("OK")'
284 cmd = [envpy, '-c', try_import]
285 p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
286 stderr=subprocess.PIPE)
287 out, err = p.communicate()
288 # We force everything to text, so unittest gives the detailed diff
289 # if we get unexpected results
290 err = err.decode("latin-1") # Force to text, prevent decoding errors
291 self.assertEqual(err, "")
292 out = out.decode("latin-1") # Force to text, prevent decoding errors
293 self.assertEqual(out.strip(), "OK")
294
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000295
296 def test_no_pip_by_default(self):
297 shutil.rmtree(self.env_dir)
298 self.run_with_capture(venv.create, self.env_dir)
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000299 self.assert_pip_not_installed()
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000300
301 def test_explicit_no_pip(self):
302 shutil.rmtree(self.env_dir)
303 self.run_with_capture(venv.create, self.env_dir, with_pip=False)
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000304 self.assert_pip_not_installed()
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000305
Nick Coghlan11c5afd2014-02-07 23:46:38 +1000306 @failsOnWindows
Nick Coghlan456ab5d2014-02-05 23:54:55 +1000307 def test_devnull_exists_and_is_empty(self):
308 # Fix for issue #20053 uses os.devnull to force a config file to
Nick Coghlan11c5afd2014-02-07 23:46:38 +1000309 # appear empty. However http://bugs.python.org/issue20541 means
310 # that doesn't currently work properly on Windows. Once that is
311 # fixed, the "win_location" part of test_with_pip should be restored
Nick Coghland49fa5e2014-02-07 22:28:18 +1000312 self.assertTrue(os.path.exists(os.devnull))
Nick Coghlan456ab5d2014-02-05 23:54:55 +1000313 with open(os.devnull, "rb") as f:
314 self.assertEqual(f.read(), b"")
315
Nick Coghlanae2ee962013-12-23 23:07:07 +1000316 # Requesting pip fails without SSL (http://bugs.python.org/issue19744)
317 @unittest.skipIf(ssl is None, ensurepip._MISSING_SSL_MESSAGE)
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000318 def test_with_pip(self):
319 shutil.rmtree(self.env_dir)
Nick Coghland76cdc12013-11-23 11:37:28 +1000320 with EnvironmentVarGuard() as envvars:
321 # pip's cross-version compatibility may trigger deprecation
322 # warnings in current versions of Python. Ensure related
323 # environment settings don't cause venv to fail.
324 envvars["PYTHONWARNINGS"] = "e"
Nick Coghlan6256fcb2013-12-23 16:16:07 +1000325 # ensurepip is different enough from a normal pip invocation
326 # that we want to ensure it ignores the normal pip environment
327 # variable settings. We set PIP_NO_INSTALL here specifically
328 # to check that ensurepip (and hence venv) ignores it.
Nick Coghlan6edd82a2014-02-04 23:02:36 +1000329 # See http://bugs.python.org/issue19734
Nick Coghlan6256fcb2013-12-23 16:16:07 +1000330 envvars["PIP_NO_INSTALL"] = "1"
Nick Coghlan6edd82a2014-02-04 23:02:36 +1000331 # Also check that we ignore the pip configuration file
332 # See http://bugs.python.org/issue20053
333 with tempfile.TemporaryDirectory() as home_dir:
334 envvars["HOME"] = home_dir
335 bad_config = "[global]\nno-install=1"
336 # Write to both config file names on all platforms to reduce
337 # cross-platform variation in test code behaviour
338 win_location = ("pip", "pip.ini")
339 posix_location = (".pip", "pip.conf")
Nick Coghlan11c5afd2014-02-07 23:46:38 +1000340 # Skips win_location due to http://bugs.python.org/issue20541
341 for dirname, fname in (posix_location,):
Nick Coghlan6edd82a2014-02-04 23:02:36 +1000342 dirpath = os.path.join(home_dir, dirname)
343 os.mkdir(dirpath)
344 fpath = os.path.join(dirpath, fname)
345 with open(fpath, 'w') as f:
346 f.write(bad_config)
347
348 # Actually run the create command with all that unhelpful
349 # config in place to ensure we ignore it
350 try:
351 self.run_with_capture(venv.create, self.env_dir,
352 with_pip=True)
353 except subprocess.CalledProcessError as exc:
354 # The output this produces can be a little hard to read,
355 # but at least it has all the details
356 details = exc.output.decode(errors="replace")
357 msg = "{}\n\n**Subprocess Output**\n{}"
358 self.fail(msg.format(exc, details))
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000359 # Ensure pip is available in the virtual environment
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000360 envpy = os.path.join(os.path.realpath(self.env_dir), self.bindir, self.exe)
Nick Coghlan1d1d8342013-11-24 16:49:20 +1000361 cmd = [envpy, '-Im', 'pip', '--version']
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000362 p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
Nick Coghlan1d1d8342013-11-24 16:49:20 +1000363 stderr=subprocess.PIPE)
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000364 out, err = p.communicate()
Nick Coghlan6fd12f22013-11-24 11:36:31 +1000365 # We force everything to text, so unittest gives the detailed diff
366 # if we get unexpected results
367 err = err.decode("latin-1") # Force to text, prevent decoding errors
368 self.assertEqual(err, "")
369 out = out.decode("latin-1") # Force to text, prevent decoding errors
Nick Coghlan1b1b1782013-11-30 15:56:58 +1000370 expected_version = "pip {}".format(ensurepip.version())
371 self.assertEqual(out[:len(expected_version)], expected_version)
Nick Coghlan6fd12f22013-11-24 11:36:31 +1000372 env_dir = os.fsencode(self.env_dir).decode("latin-1")
Nick Coghlan6fd12f22013-11-24 11:36:31 +1000373 self.assertIn(env_dir, out)
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000374
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000375 # http://bugs.python.org/issue19728
376 # Check the private uninstall command provided for the Windows
377 # installers works (at least in a virtual environment)
378 cmd = [envpy, '-Im', 'ensurepip._uninstall']
379 with EnvironmentVarGuard() as envvars:
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000380 p = subprocess.Popen(cmd, stdout=subprocess.PIPE,
381 stderr=subprocess.PIPE)
382 out, err = p.communicate()
383 # We force everything to text, so unittest gives the detailed diff
384 # if we get unexpected results
385 err = err.decode("latin-1") # Force to text, prevent decoding errors
386 self.assertEqual(err, "")
Nick Coghlan8ddd59e2013-11-30 18:35:32 +1000387 # Being fairly specific regarding the expected behaviour for the
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000388 # initial bundling phase in Python 3.4. If the output changes in
Nick Coghlan8ddd59e2013-11-30 18:35:32 +1000389 # future pip versions, this test can likely be relaxed further.
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000390 out = out.decode("latin-1") # Force to text, prevent decoding errors
Nick Coghlan8ddd59e2013-11-30 18:35:32 +1000391 self.assertIn("Successfully uninstalled pip", out)
392 self.assertIn("Successfully uninstalled setuptools", out)
393 # Check pip is now gone from the virtual environment
Nick Coghlanfdf3a622013-11-30 17:15:09 +1000394 self.assert_pip_not_installed()
395
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000396
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100397def test_main():
Nick Coghlan8fbdb092013-11-23 00:30:34 +1000398 run_unittest(BasicTest, EnsurePipTest)
Vinay Sajip7ded1f02012-05-26 03:45:29 +0100399
400if __name__ == "__main__":
401 test_main()