-
Notifications
You must be signed in to change notification settings - Fork 124
/
test_env.py
310 lines (249 loc) · 9.82 KB
/
test_env.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
# SPDX-License-Identifier: MIT
from __future__ import annotations
import importlib.util
import logging
import shutil
import subprocess
import sys
import sysconfig
import typing
from pathlib import Path
from types import SimpleNamespace
import pytest
import pytest_mock
from packaging.version import Version
import build.env
IS_PYPY = sys.implementation.name == 'pypy'
IS_WINDOWS = sys.platform.startswith('win')
MISSING_UV = importlib.util.find_spec('uv') is None and not shutil.which('uv')
@pytest.mark.isolated
def test_isolation():
subprocess.check_call([sys.executable, '-c', 'import build.env'])
with build.env.DefaultIsolatedEnv() as env:
with pytest.raises(subprocess.CalledProcessError):
debug = 'import sys; import os; print(os.linesep.join(sys.path));'
subprocess.check_call([env.python_executable, '-c', f'{debug} import build.env'])
@pytest.mark.skipif(IS_PYPY, reason='PyPy3 uses get path to create and provision venv')
@pytest.mark.skipif(sys.platform != 'darwin', reason='workaround for Apple Python')
def test_can_get_venv_paths_with_conflicting_default_scheme(
mocker: pytest_mock.MockerFixture,
):
get_scheme_names = mocker.patch('sysconfig.get_scheme_names', return_value=('osx_framework_library',))
with build.env.DefaultIsolatedEnv():
pass
assert get_scheme_names.call_count == 1
@pytest.mark.skipif('posix_local' not in sysconfig.get_scheme_names(), reason='workaround for Debian/Ubuntu Python')
def test_can_get_venv_paths_with_posix_local_default_scheme(
mocker: pytest_mock.MockerFixture,
):
get_paths = mocker.spy(sysconfig, 'get_paths')
# We should never call this, but we patch it to ensure failure if we do
get_default_scheme = mocker.patch('sysconfig.get_default_scheme', return_value='posix_local')
with build.env.DefaultIsolatedEnv():
pass
get_paths.assert_called_once_with(scheme='posix_prefix', vars=mocker.ANY)
assert get_default_scheme.call_count == 0
def test_venv_executable_missing_post_creation(
mocker: pytest_mock.MockerFixture,
):
venv_create = mocker.patch('venv.EnvBuilder.create')
with pytest.raises(RuntimeError, match='Virtual environment creation failed, executable .* missing'):
with build.env.DefaultIsolatedEnv():
pass
assert venv_create.call_count == 1
@typing.no_type_check
def test_isolated_env_abstract():
with pytest.raises(TypeError):
build.env.IsolatedEnv()
class PartialEnv(build.env.IsolatedEnv):
@property
def executable(self):
raise NotImplementedError
with pytest.raises(TypeError):
PartialEnv()
class PartialEnv(build.env.IsolatedEnv):
def make_extra_environ(self):
raise NotImplementedError
with pytest.raises(TypeError):
PartialEnv()
@pytest.mark.pypy3323bug
def test_isolated_env_log(
caplog: pytest.LogCaptureFixture,
mocker: pytest_mock.MockerFixture,
):
caplog.set_level(logging.DEBUG)
mocker.patch('build.env.run_subprocess')
with build.env.DefaultIsolatedEnv() as env:
env.install(['something'])
assert [(record.levelname, record.message) for record in caplog.records] == [
('INFO', 'Creating isolated environment: venv+pip...'),
('INFO', 'Installing packages in isolated environment:\n- something'),
]
@pytest.mark.isolated
@pytest.mark.usefixtures('local_pip')
def test_default_pip_is_never_too_old():
with build.env.DefaultIsolatedEnv() as env:
version = subprocess.check_output(
[env.python_executable, '-c', 'import pip; print(pip.__version__, end="")'],
encoding='utf-8',
)
assert Version(version) >= Version('19.1')
@pytest.mark.isolated
@pytest.mark.parametrize('pip_version', ['20.2.0', '20.3.0', '21.0.0', '21.0.1'])
@pytest.mark.parametrize('arch', ['x86_64', 'arm64'])
@pytest.mark.usefixtures('local_pip')
def test_pip_needs_upgrade_mac_os_11(
mocker: pytest_mock.MockerFixture,
pip_version: str,
arch: str,
):
run_subprocess = mocker.patch('build.env.run_subprocess')
mocker.patch('platform.system', return_value='Darwin')
mocker.patch('platform.mac_ver', return_value=('11.0', ('', '', ''), arch))
mocker.patch('build._compat.importlib.metadata.distributions', return_value=(SimpleNamespace(version=pip_version),))
min_pip_version = '20.3.0' if arch == 'x86_64' else '21.0.1'
with build.env.DefaultIsolatedEnv() as env:
if Version(pip_version) < Version(min_pip_version):
assert run_subprocess.call_args_list == [
mocker.call([env.python_executable, '-Im', 'pip', 'install', f'pip>={min_pip_version}']),
mocker.call([env.python_executable, '-Im', 'pip', 'uninstall', '-y', 'setuptools']),
]
else:
run_subprocess.assert_called_once_with(
[env.python_executable, '-Im', 'pip', 'uninstall', '-y', 'setuptools'],
)
@pytest.mark.parametrize('has_symlink', [True, False] if sys.platform.startswith('win') else [True])
def test_venv_symlink(
mocker: pytest_mock.MockerFixture,
has_symlink: bool,
):
if has_symlink:
mocker.patch('os.symlink')
mocker.patch('os.unlink')
else:
mocker.patch('os.symlink', side_effect=OSError())
# Cache must be cleared to rerun
build.env._fs_supports_symlink.cache_clear()
supports_symlink = build.env._fs_supports_symlink()
build.env._fs_supports_symlink.cache_clear()
assert supports_symlink is has_symlink
def test_install_short_circuits(
mocker: pytest_mock.MockerFixture,
):
with build.env.DefaultIsolatedEnv() as env:
install_requirements = mocker.patch.object(env._env_backend, 'install_requirements')
env.install([])
install_requirements.assert_not_called()
env.install(['foo'])
install_requirements.assert_called_once()
@pytest.mark.parametrize('verbosity', range(4))
@pytest.mark.usefixtures('local_pip')
def test_default_impl_install_cmd_well_formed(
mocker: pytest_mock.MockerFixture,
verbosity: int,
):
mocker.patch.object(build.env._ctx, 'verbosity', verbosity)
with build.env.DefaultIsolatedEnv() as env:
run_subprocess = mocker.patch('build.env.run_subprocess')
env.install(['some', 'requirements'])
run_subprocess.assert_called_once_with(
[
env.python_executable,
'-Im',
'pip',
*([f'-{"v" * (verbosity - 1)}'] if verbosity > 1 else []),
'install',
'--use-pep517',
'--no-warn-script-location',
'--no-compile',
'-r',
mocker.ANY,
]
)
@pytest.mark.parametrize('verbosity', range(4))
@pytest.mark.skipif(IS_PYPY, reason='uv cannot find PyPy executable')
@pytest.mark.skipif(MISSING_UV, reason='uv executable not found')
def test_uv_impl_install_cmd_well_formed(
mocker: pytest_mock.MockerFixture,
verbosity: int,
):
mocker.patch.object(build.env._ctx, 'verbosity', verbosity)
with build.env.DefaultIsolatedEnv(installer='uv') as env:
run_subprocess = mocker.patch('build.env.run_subprocess')
env.install(['some', 'requirements'])
(install_call,) = run_subprocess.call_args_list
assert len(install_call.args) == 1
assert install_call.args[0][1:] == [
'pip',
*(['-vv' if verbosity > 2 else '-v'] if verbosity > 1 else []),
'install',
'some',
'requirements',
]
assert len(install_call.kwargs) == 1
assert install_call.kwargs['env']['VIRTUAL_ENV'] == env.path
@pytest.mark.usefixtures('local_pip')
@pytest.mark.parametrize(
('installer', 'env_backend_display_name', 'has_virtualenv'),
[
('pip', 'venv+pip', False),
('pip', 'virtualenv+pip', True),
('pip', 'virtualenv+pip', None), # Fall-through
pytest.param(
'uv',
'venv+uv',
None,
marks=pytest.mark.skipif(MISSING_UV, reason='uv executable not found'),
),
],
indirect=('has_virtualenv',),
)
def test_venv_creation(
installer: build.env.Installer,
env_backend_display_name: str,
):
with build.env.DefaultIsolatedEnv(installer=installer) as env:
assert env._env_backend.display_name == env_backend_display_name
@pytest.mark.network
@pytest.mark.usefixtures('local_pip')
@pytest.mark.parametrize(
'installer',
[
'pip',
pytest.param(
'uv',
marks=[
pytest.mark.xfail(
IS_PYPY and IS_WINDOWS and sys.version_info < (3, 9),
reason='uv cannot find PyPy 3.8 executable on Windows',
),
pytest.mark.skipif(MISSING_UV, reason='uv executable not found'),
],
),
],
)
def test_requirement_installation(
package_test_flit: str,
installer: build.env.Installer,
):
with build.env.DefaultIsolatedEnv(installer=installer) as env:
env.install([f'test-flit @ {Path(package_test_flit).as_uri()}'])
@pytest.mark.skipif(MISSING_UV, reason='uv executable not found')
def test_external_uv_detection_success(
caplog: pytest.LogCaptureFixture,
mocker: pytest_mock.MockerFixture,
):
mocker.patch.dict(sys.modules, {'uv': None})
with build.env.DefaultIsolatedEnv(installer='uv'):
pass
assert any(
r.message == f'Using external uv from {shutil.which("uv", path=sysconfig.get_path("scripts"))}' for r in caplog.records
)
def test_external_uv_detection_failure(
mocker: pytest_mock.MockerFixture,
):
mocker.patch.dict(sys.modules, {'uv': None})
mocker.patch('shutil.which', return_value=None)
with pytest.raises(RuntimeError, match='uv executable not found'):
with build.env.DefaultIsolatedEnv(installer='uv'):
pass