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 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506
|
# Copyright 2016-2018 Dirk Thomas
# Licensed under the Apache License, Version 2.0
from collections import OrderedDict
import os
from pathlib import Path
import sys
from tempfile import TemporaryDirectory
from unittest.mock import Mock
from unittest.mock import patch
from colcon_core.plugin_system import SkipExtensionException
from colcon_core.shell import check_dependency_availability
from colcon_core.shell import create_environment_hook
from colcon_core.shell import find_installed_packages
from colcon_core.shell import find_installed_packages_in_environment
from colcon_core.shell import FindInstalledPackagesExtensionPoint
from colcon_core.shell import get_colcon_prefix_path
from colcon_core.shell import get_command_environment
from colcon_core.shell import get_environment_variables
from colcon_core.shell import get_find_installed_packages_extensions
from colcon_core.shell import get_null_separated_environment_variables
from colcon_core.shell import get_shell_extensions
from colcon_core.shell import ShellExtensionPoint
from colcon_core.shell.installed_packages import IsolatedInstalledPackageFinder
from colcon_core.shell.installed_packages import MergedInstalledPackageFinder
import pytest
from .environment_context import EnvironmentContext
from .extension_point_context import ExtensionPointContext
from .run_until_complete import run_until_complete
class Extension1(ShellExtensionPoint):
PRIORITY = 90
class Extension2(ShellExtensionPoint):
pass
def test_extension_interface():
extension = Extension1()
with pytest.raises(NotImplementedError):
extension.create_prefix_script(None, None)
with pytest.raises(NotImplementedError):
extension.create_package_script(None, None, None)
with pytest.raises(NotImplementedError):
extension.create_hook_set_value(None, None, None, None, None)
with pytest.raises(NotImplementedError):
extension.create_hook_append_value(None, None, None, None, None)
with pytest.raises(NotImplementedError):
extension.create_hook_prepend_value(None, None, None, None, None)
with pytest.raises(NotImplementedError):
extension.create_hook_include_file(None, None, None, None)
coroutine = extension.generate_command_environment(None, None, None)
with pytest.raises(NotImplementedError):
run_until_complete(coroutine)
def test_get_shell_extensions():
with ExtensionPointContext(extension1=Extension1, extension2=Extension2):
extensions = get_shell_extensions()
assert list(extensions.keys()) == [100, 90]
assert list(extensions[100].keys()) == ['extension2']
assert list(extensions[90].keys()) == ['extension1']
async def generate_command_environment(task_name, build_base, dependencies):
return {'key': 'value'}
def test_get_command_environment():
with ExtensionPointContext(extension1=Extension1, extension2=Extension2):
extensions = get_shell_extensions()
# one not implemented, one skipped extension
extensions[90]['extension1'].generate_command_environment = Mock(
side_effect=SkipExtensionException())
coroutine = get_command_environment(None, '/build/base', None)
with patch('colcon_core.shell.logger.debug') as debug:
with patch('colcon_core.shell.logger.info') as info:
with pytest.raises(RuntimeError) as e:
run_until_complete(coroutine)
assert 'Could not find a shell extension for the command environment' \
in str(e.value)
assert extensions[90]['extension1'].generate_command_environment \
.call_count == 1
# the raised exceptions are catched and result in a debug/info message
assert debug.call_count == 1
assert len(debug.call_args[0]) == 1
assert debug.call_args[0][0] == \
"Skip shell extension 'extension2' for command environment"
assert info.call_count == 1
assert len(info.call_args[0]) == 1
assert info.call_args[0][0].startswith(
"Skip shell extension 'extension1' for command environment: ")
# raise runtime error
extensions[100]['extension2'].generate_command_environment = Mock(
side_effect=RuntimeError('custom exception'))
extensions[90]['extension1'].generate_command_environment.reset_mock()
coroutine = get_command_environment(None, '/build/base', None)
with pytest.raises(RuntimeError) as e:
run_until_complete(coroutine)
assert str(e.value) == 'custom exception'
assert extensions[90]['extension1'].generate_command_environment \
.call_count == 0
# one exception, one successful
extensions[100]['extension2'].generate_command_environment = Mock(
side_effect=Exception('custom exception'))
extensions[90]['extension1'].generate_command_environment = Mock(
side_effect=generate_command_environment)
coroutine = get_command_environment(None, '/build/base', None)
with patch('colcon_core.shell.logger.error') as error:
env = run_until_complete(coroutine)
assert env == {'key': 'value'}
# the raised exception is catched and results in an error message
assert error.call_count == 1
assert len(error.call_args[0]) == 1
assert error.call_args[0][0].startswith(
"Exception in shell extension 'extension2': custom exception\n")
def test_get_environment_variables():
cmd = [
sys.executable, '-c',
r'print("FOO\nNAME=value\n\nSOMETHING\nNAME2=value with spaces")']
coroutine = get_environment_variables(cmd, shell=False)
env = run_until_complete(coroutine)
assert len(env.keys()) == 2
assert 'NAME' in env.keys()
assert env['NAME'] == 'value\nSOMETHING'
assert 'NAME2' in env.keys()
assert env['NAME2'] == 'value with spaces'
# test with environment strings which isn't decodable
async def check_output(cmd, **kwargs):
return b'DECODE_ERROR=\x81\nNAME=value'
with patch('colcon_core.shell.check_output', side_effect=check_output):
with patch('colcon_core.shell.logger.warning') as warn:
coroutine = get_environment_variables(['not-used'], shell=False)
env = run_until_complete(coroutine)
assert len(env.keys()) == 1
assert 'NAME' in env.keys()
assert env['NAME'] == 'value'
# the raised decode error is catched and results in a warning message
assert warn.call_count == 1
assert len(warn.call_args[0]) == 1
assert warn.call_args[0][0].startswith(
"Failed to decode line from the environment using the encoding '")
assert 'DECODE_ERROR=' in warn.call_args[0][0]
def test_get_null_separated_environment_variables():
cmd = [
sys.executable, '-c',
r'import sys; sys.stdout.buffer.write(b"FOO\0NAME=value\nSOMETHING'
r'\0NAME2=value with spaces\0NAME3=NAME4\nNAME5=NAME6")']
coroutine = get_null_separated_environment_variables(cmd, shell=False)
env = run_until_complete(coroutine)
assert len(env.keys()) == 3
assert 'NAME' in env.keys()
assert env['NAME'] == 'value\nSOMETHING'
assert 'NAME2' in env.keys()
assert env['NAME2'] == 'value with spaces'
assert 'NAME3' in env.keys()
assert env['NAME3'] == 'NAME4\nNAME5=NAME6'
# test with environment strings which isn't decodable
async def check_output(cmd, **kwargs):
return b'DECODE_ERROR=\x81\nNAME=value'
with patch('colcon_core.shell.check_output', side_effect=check_output):
with patch('colcon_core.shell.logger.warning') as warn:
coroutine = get_environment_variables(['not-used'], shell=False)
env = run_until_complete(coroutine)
assert len(env.keys()) == 1
assert 'NAME' in env.keys()
assert env['NAME'] == 'value'
# the raised decode error is catched and results in a warning message
assert warn.call_count == 1
assert len(warn.call_args[0]) == 1
assert warn.call_args[0][0].startswith(
"Failed to decode line from the environment using the encoding '")
assert 'DECODE_ERROR=' in warn.call_args[0][0]
class Extension3(ShellExtensionPoint):
PRIORITY = 105
class Extension4(ShellExtensionPoint):
PRIORITY = 101
class Extension5(ShellExtensionPoint):
PRIORITY = 110
def test_create_environment_hook():
with ExtensionPointContext(extension1=Extension1, extension2=Extension2):
# no primary shell extension
with pytest.raises(RuntimeError) as e:
create_environment_hook(None, None, None, None, None)
assert str(e.value).endswith(
'Could not find a primary shell extension for creating an '
'environment hook')
with ExtensionPointContext(
extension3=Extension3, extension4=Extension4, extension5=Extension5
):
extensions = get_shell_extensions()
# append: one invalid, two valid return values
extensions[105]['extension3'].create_hook_append_value = Mock()
extensions[101]['extension4'].create_hook_append_value = Mock(
return_value=Path('/some/path/sub/hookA'))
extensions[110]['extension5'].create_hook_append_value = Mock(
return_value=Path('/some/path/sub/hookB'))
with patch('colcon_core.shell.logger.error') as error:
hooks = create_environment_hook(
None, None, None, None, None, mode='append')
assert len(hooks) == 2
assert str(hooks[0]) == '/some/path/sub/hookB'.replace('/', os.sep)
assert str(hooks[1]) == '/some/path/sub/hookA'.replace('/', os.sep)
# the raised exception is caught and results in an error message
assert error.call_count == 1
assert len(error.call_args[0]) == 1
assert error.call_args[0][0].startswith(
"Exception in shell extension 'extension3': "
'create_hook_append_value() should return a Path object')
# prepend: one invalid, two valid return values
extensions[105]['extension3'].create_hook_prepend_value = Mock()
extensions[101]['extension4'].create_hook_prepend_value = Mock(
return_value=Path('/some/path/sub/hookA'))
extensions[110]['extension5'].create_hook_prepend_value = Mock(
return_value=Path('/some/path/sub/hookB'))
with patch('colcon_core.shell.logger.error') as error:
hooks = create_environment_hook(None, None, None, None, None)
assert len(hooks) == 2
assert str(hooks[0]) == '/some/path/sub/hookB'.replace('/', os.sep)
assert str(hooks[1]) == '/some/path/sub/hookA'.replace('/', os.sep)
# the raised exception is caught and results in an error message
assert error.call_count == 1
assert len(error.call_args[0]) == 1
assert error.call_args[0][0].startswith(
"Exception in shell extension 'extension3': "
'create_hook_prepend_value() should return a Path object')
# invalid mode
with pytest.raises(NotImplementedError):
create_environment_hook(
None, None, None, None, None, mode='invalid')
def test_get_colcon_prefix_path():
# ignore deprecation warning
with patch('colcon_core.shell.warnings.warn') as warn:
# empty environment variable
with EnvironmentContext(COLCON_PREFIX_PATH=''):
prefix_path = get_colcon_prefix_path()
assert prefix_path == []
# extra path separator
with EnvironmentContext(COLCON_PREFIX_PATH=os.pathsep):
prefix_path = get_colcon_prefix_path(skip='/path/to/skip')
assert prefix_path == []
with TemporaryDirectory(prefix='test_colcon_') as basepath:
basepath = Path(basepath)
with EnvironmentContext(COLCON_PREFIX_PATH=os.pathsep.join(
[str(basepath), str(basepath)]
)):
# multiple results
prefix_path = get_colcon_prefix_path(skip='/path/to/skip')
assert prefix_path == [str(basepath), str(basepath)]
# skipping results
prefix_path = get_colcon_prefix_path(skip=str(basepath))
assert prefix_path == []
# skipping non-existing results
with EnvironmentContext(COLCON_PREFIX_PATH=os.pathsep.join(
[str(basepath), str(basepath / 'non-existing-sub')]
)):
with patch('colcon_core.shell.logger.warning') as warn:
prefix_path = get_colcon_prefix_path()
assert prefix_path == [str(basepath)]
assert warn.call_count == 1
assert len(warn.call_args[0]) == 1
assert warn.call_args[0][0].endswith(
"non-existing-sub' in the environment variable "
"COLCON_PREFIX_PATH doesn't exist")
# suppress duplicate warning
with patch('colcon_core.shell.logger.warning') as warn:
prefix_path = get_colcon_prefix_path()
assert prefix_path == [str(basepath)]
assert warn.call_count == 0
def test_check_dependency_availability():
with TemporaryDirectory(prefix='test_colcon_') as prefix_path:
prefix_path = Path(prefix_path)
dependencies = OrderedDict()
dependencies['pkgA'] = prefix_path
# missing package
with pytest.raises(RuntimeError) as e:
check_dependency_availability(
dependencies, script_filename='package.ext')
assert len(dependencies) == 1
assert 'Failed to find the following files:' in str(e.value)
assert str(prefix_path / 'share' / 'pkgA' / 'package.ext') \
in str(e.value)
assert 'Check that the following packages have been built:' \
in str(e.value)
assert '- pkgA' in str(e.value)
# package in workspace
(prefix_path / 'share' / 'pkgA').mkdir(parents=True)
(prefix_path / 'share' / 'pkgA' / 'package.ext').write_text('')
check_dependency_availability(
dependencies, script_filename='package.ext')
assert len(dependencies) == 1
# package in environment
dependencies['pkgA'] = prefix_path / 'invalid'
with patch(
'colcon_core.shell.find_installed_packages_in_environment',
side_effect=lambda: {'pkgA': prefix_path / 'env'}
):
with patch('colcon_core.shell.logger.warning') as warn:
check_dependency_availability(
dependencies, script_filename='package.ext')
assert len(dependencies) == 0
assert warn.call_count == 1
assert len(warn.call_args[0]) == 1
assert warn.call_args[0][0].startswith(
"The following packages are in the workspace but haven't been "
'built:')
assert '- pkgA' in warn.call_args[0][0]
assert 'They are being used from the following locations instead:' \
in warn.call_args[0][0]
assert str(prefix_path / 'env') in warn.call_args[0][0]
assert '--packages-ignore pkgA' in warn.call_args[0][0]
class FIExtension1(FindInstalledPackagesExtensionPoint):
PRIORITY = 90
class FIExtension2(FindInstalledPackagesExtensionPoint):
pass
def test_get_find_installed_packages_extensions():
with ExtensionPointContext(
extension1=FIExtension1, extension2=FIExtension2
):
extensions = get_find_installed_packages_extensions()
assert list(extensions.keys()) == [100, 90]
assert list(extensions[100].keys()) == ['extension2']
assert list(extensions[90].keys()) == ['extension1']
def test_find_installed_packages_extension_not_implemented():
with pytest.raises(NotImplementedError):
FindInstalledPackagesExtensionPoint().find_installed_packages(Path())
def test_find_installed_packages_in_environment():
with TemporaryDirectory(prefix='test_colcon_') as prefix_path:
prefix_path = Path(prefix_path)
prefix_path1 = prefix_path / 'one'
prefix_path2 = prefix_path / 'two'
with patch(
'colcon_core.shell.get_chained_prefix_path',
return_value=[prefix_path1, prefix_path2]
):
# not used prefixes result debug messages
with patch('colcon_core.shell.logger.debug') as debug:
find_installed_packages_in_environment()
assert debug.call_count == 2
# the package is picked up from the first prefix
with patch(
'colcon_core.shell.find_installed_packages',
side_effect=lambda p: {'pkgA': p}
):
packages = find_installed_packages_in_environment()
assert len(packages) == 1
assert 'pkgA' in packages
assert packages['pkgA'] == prefix_path1
def test_find_installed_packages():
with ExtensionPointContext(
colcon_isolated=IsolatedInstalledPackageFinder,
colcon_merged=MergedInstalledPackageFinder
):
with TemporaryDirectory(prefix='test_colcon_') as install_base:
install_base = Path(install_base)
# install base doesn't exist
assert find_installed_packages(install_base) is None
# unknown install layout
marker_file = install_base / '.colcon_install_layout'
marker_file.write_text('unknown')
assert find_installed_packages(install_base) is None
# package index directory doesn't exist
marker_file.write_text('merged')
packages = find_installed_packages(install_base)
assert len(packages) == 0
with patch(
'colcon_core.shell.installed_packages'
'.get_relative_package_index_path',
return_value=Path('relative/package/index')
) as rel_path:
# setup for isolated case
(install_base / 'dummy_file').write_text('')
(install_base / '.hidden_dir').mkdir()
(install_base / 'dummy_dir' / rel_path() / 'dummy_dir').mkdir(
parents=True)
(install_base / 'pkgA' / rel_path()).mkdir(parents=True)
(install_base / 'pkgA' / rel_path() / 'pkgA').write_text('')
# setup for merged case
(install_base / rel_path() / 'dummy_dir').mkdir(parents=True)
(install_base / rel_path() / '.dummy').write_text('')
(install_base / rel_path() / 'pkgB').write_text('')
(install_base / rel_path() / 'pkgC').write_text('')
marker_file.write_text('isolated')
packages = find_installed_packages(install_base)
assert len(packages) == 1
assert 'pkgA' in packages.keys()
assert packages['pkgA'] == install_base / 'pkgA'
marker_file.write_text('merged')
packages = find_installed_packages(install_base)
assert len(packages) == 2
assert 'pkgB' in packages.keys()
assert packages['pkgC'] == install_base
assert 'pkgC' in packages.keys()
assert packages['pkgB'] == install_base
class FIExtensionPathNotExist(FindInstalledPackagesExtensionPoint):
def find_installed_packages(self, install_base: Path):
return {'pkgA': Path('/does/not/exist')}
def test_inconsistent_package_finding_extensions():
with ExtensionPointContext(dne=FIExtensionPathNotExist):
with TemporaryDirectory(prefix='test_colcon_') as install_base:
install_base = Path(install_base)
with patch('colcon_core.shell.logger.warning') as mock_warn:
assert {} == find_installed_packages(install_base)
dne_path = Path('/does/not/exist')
mock_warn.assert_called_once_with(
"Ignoring 'pkgA' found at '{0}'"
' because the path does not exist.'.format(dne_path))
def test_find_package_two_locations():
with TemporaryDirectory(prefix='test_colcon_') as base:
base = Path(base)
location1 = base / 'pkgA'
location2 = base / 'pkgB'
location1.mkdir()
location2.mkdir()
class PackageLocation1(FindInstalledPackagesExtensionPoint):
def find_installed_packages(self, base: Path):
return {'pkgA': location1}
class PackageLocation2(FindInstalledPackagesExtensionPoint):
def find_installed_packages(self, base: Path):
return {'pkgA': location2}
with ExtensionPointContext(
loc1=PackageLocation1, loc2=PackageLocation2
):
with patch('colcon_core.shell.logger.warning') as mock_warn:
assert {'pkgA': location1} == find_installed_packages(base)
mock_warn.assert_called_once_with(
"The package 'pkgA' previously found at"
f" '{location1}' was found again at '{location2}'."
f" Ignoring '{location2}'")
|