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
|
"""Define fixtures for the test suite."""
from __future__ import annotations
import contextlib
import json
from collections.abc import Iterator
from pathlib import Path
from typing import Any, TypeVar
from unittest import mock
import pytest
import pytest_mock
from boto3 import Session
from botocore.exceptions import ClientError
from botocore.paginate import PageIterator, Paginator
from botocore.response import StreamingBody
from mypy_boto3_appconfig import AppConfigClient
from mypy_boto3_appconfigdata import AppConfigDataClient
from mypy_boto3_appconfigdata.type_defs import GetLatestConfigurationResponseTypeDef
from mypy_boto3_secretsmanager import SecretsManagerClient
from mypy_boto3_secretsmanager.type_defs import ListSecretVersionIdsResponseTypeDef, SecretVersionsListEntryTypeDef
from pytest_mock import MockerFixture
from config_ninja import systemd
# pylint: disable=redefined-outer-name
T = TypeVar('T')
MOCK_PYPI_RESPONSE = {'releases': {'1.0': 'ignore', '1.1': 'ignore', '1.2a0': 'ignore'}}
MOCK_YAML_CONFIG = b"""
key_0: value_0
key_1: 1
key_2: true
key_3:
- 1
- 2
- 3
""".strip()
class MockFile(mock.MagicMock):
"""Mock the file object returned by `contextlib.closing`."""
mock_bytes: bytes
def read(self) -> bytes:
"""Mock the `read` method to return data used in tests."""
return self.mock_bytes
def mock_file(mock_bytes: bytes) -> MockFile:
"""Mock the file object returned by `contextlib.closing`."""
mock_file = MockFile()
mock_file.mock_bytes = mock_bytes
return mock_file
@pytest.fixture
def _mock_contextlib_closing(mocker: MockerFixture) -> None: # pyright: ignore[reportUnusedFunction]
"""Mock `contextlib.closing`."""
@contextlib.contextmanager
def _mocked(request: Any) -> Iterator[Any]:
"""Pass the input parameter straight through."""
yield request
mocker.patch('contextlib.closing', new=_mocked)
@pytest.fixture
def _mock_urlopen_for_pypi(mocker: MockerFixture) -> None: # pyright: ignore[reportUnusedFunction]
"""Mock `urllib.request.urlopen` for PyPI requests."""
def _mocked(_: Any) -> MockFile:
return mock_file(json.dumps(MOCK_PYPI_RESPONSE).encode('utf-8'))
mocker.patch('urllib.request.urlopen', new=_mocked)
@pytest.fixture
def mock_appconfig_client() -> AppConfigClient:
"""Mock the `boto3` client for the `AppConfig` service."""
return mock.MagicMock(name='mock_appconfig_client', spec_set=AppConfigClient)
@pytest.fixture
def _mock_install_io(mocker: MockerFixture) -> None: # pyright: ignore[reportUnusedFunction]
"""Mock various I/O utilities used by the `install` script."""
mocker.patch('shutil.rmtree')
mocker.patch('subprocess.run')
mocker.patch('venv.EnvBuilder')
mocker.patch('runpy.run_path')
@pytest.fixture
def mock_session(mocker: MockerFixture) -> Session:
"""Mock the `boto3.Session` class."""
mock_session = mock.MagicMock(name='mock_session', spec_set=Session)
mocker.patch('boto3.Session', return_value=mock_session)
return mock_session
@pytest.fixture
def mock_session_with_0_ids(mock_appconfig_client: mock.MagicMock, mock_session: mock.MagicMock) -> AppConfigClient:
"""Mock the `boto3` client for the `AppConfig` service to return no IDs."""
mock_page_iterator = mock.MagicMock(spec_set=PageIterator)
mock_page_iterator.search.return_value = []
mock_paginator = mock.MagicMock(spec_set=Paginator)
mock_paginator.paginate.return_value = mock_page_iterator
mock_appconfig_client.get_paginator.return_value = mock_paginator
mock_session.client.return_value = mock_appconfig_client
return mock_session
@pytest.fixture
def mock_session_with_1_id(mock_appconfig_client: mock.MagicMock, mock_session: mock.MagicMock) -> AppConfigClient:
"""Mock the `boto3` client for the `AppConfig` service to return a single ID."""
mock_page_iterator = mock.MagicMock(name='mock_page_iterator', spec_set=PageIterator)
mock_page_iterator.search.return_value = ['id-1']
mock_paginator = mock.MagicMock(name='mock_page_iterator', spec_set=Paginator)
mock_paginator.paginate.return_value = mock_page_iterator
mock_appconfig_client.get_paginator.return_value = mock_paginator
mock_session.client.return_value = mock_appconfig_client
return mock_session
@pytest.fixture
def mock_session_with_2_ids(mock_appconfig_client: mock.MagicMock, mock_session: mock.MagicMock) -> AppConfigClient:
"""Mock the `boto3` client for the `AppConfig` service to return two IDs."""
mock_page_iterator = mock.MagicMock(spec_set=PageIterator)
mock_page_iterator.search.return_value = ['id-1', 'id-2']
mock_paginator = mock.MagicMock(spec_set=Paginator)
mock_paginator.paginate.return_value = mock_page_iterator
mock_appconfig_client.get_paginator.return_value = mock_paginator
mock_session.client.return_value = mock_appconfig_client
return mock_session
@pytest.fixture
def mock_latest_config() -> GetLatestConfigurationResponseTypeDef:
"""Mock the response from `get_latest_configuration`."""
mock_config_stream = mock.MagicMock(spec_set=StreamingBody)
mock_config_stream.read.return_value = MOCK_YAML_CONFIG
return {
'NextPollConfigurationToken': 'token',
'NextPollIntervalInSeconds': 1,
'ContentType': 'application/json',
'Configuration': mock_config_stream,
'VersionLabel': 'v1',
'ResponseMetadata': {
'RequestId': '',
'HostId': '',
'HTTPStatusCode': 200,
'HTTPHeaders': {},
'RetryAttempts': 3,
},
}
@pytest.fixture
def mock_latest_config_first_empty() -> GetLatestConfigurationResponseTypeDef:
"""Mock the response from `get_latest_configuration`.
Return an empty `bytes` on the first iteration, and `MOCK_YAML_CONFIG` on the second. This supports testing
`config_ninja.contrib.appconfig.AppConfig`'s response to an empty return value.
"""
was_called: list[bool] = []
def mock_read(*_: Any, **__: Any) -> bytes:
if was_called:
return MOCK_YAML_CONFIG
was_called.append(True)
return b''
mock_config_stream = mock.MagicMock(spec_set=StreamingBody)
mock_config_stream.read = mock_read
return {
'NextPollConfigurationToken': 'token',
'NextPollIntervalInSeconds': 0,
'ContentType': 'application/json',
'Configuration': mock_config_stream,
'VersionLabel': 'v1',
'ResponseMetadata': {
'RequestId': '',
'HostId': '',
'HTTPStatusCode': 200,
'HTTPHeaders': {},
'RetryAttempts': 3,
},
}
@pytest.fixture
def mock_appconfigdata_client(mock_latest_config: mock.MagicMock) -> AppConfigDataClient:
"""Mock the low-level `boto3` client for the `AppConfigData` service."""
mock_client = mock.MagicMock(name='mock_appconfigdata_client', spec_set=AppConfigDataClient)
mock_client.get_latest_configuration.return_value = mock_latest_config
return mock_client
@pytest.fixture
def mock_appconfigdata_client_first_empty(mock_latest_config_first_empty: mock.MagicMock) -> AppConfigDataClient:
"""Mock the low-level `boto3` client for the `AppConfigData` service."""
mock_client = mock.MagicMock(name='mock_appconfigdata_client', spec_set=AppConfigDataClient)
mock_client.get_latest_configuration.return_value = mock_latest_config_first_empty
return mock_client
@pytest.fixture
def mock_secretsmanager_client() -> SecretsManagerClient:
"""Mock the `boto3` client for the `SecretsManager` service."""
mock_client = mock.MagicMock(name='mock_secretsmanager_client', spec_set=SecretsManagerClient)
mock_client.get_secret_value.return_value = {
'SecretString': json.dumps({'username': 'admin', 'password': 1234}),
'VersionId': 'v1',
}
mock_client.list_secret_version_ids.return_value = {
'Versions': [{'VersionId': 'v1'}, {'VersionId': 'v2', 'VersionStages': ['AWSCURRENT']}]
}
return mock_client
@pytest.fixture
def mock_secretsmanager_client_no_current() -> SecretsManagerClient:
"""Mock the `boto3` client for the `SecretsManager` service."""
mock_client = mock.MagicMock(name='mock_secretsmanager_client', spec_set=SecretsManagerClient)
mock_client.get_secret_value.return_value = {
'SecretString': json.dumps({'username': 'admin', 'password': 1234}),
'VersionId': 'v3',
}
mock_client.list_secret_version_ids.return_value = {
'Versions': [{'VersionId': 'v4'}, {'VersionId': 'v5', 'VersionStages': ['AWSPREVIOUS']}]
}
return mock_client
@pytest.fixture
def mock_secretsmanager_client_no_current_initially() -> SecretsManagerClient:
"""Mock the `boto3` client for the `SecretsManager` service."""
mock_client = mock.MagicMock(name='mock_secretsmanager_client', spec_set=SecretsManagerClient)
mock_client.get_secret_value.return_value = {
'SecretString': json.dumps({'username': 'admin', 'password': 1234}),
'VersionId': 'v6',
}
def _mock_response(versions: list[SecretVersionsListEntryTypeDef]) -> ListSecretVersionIdsResponseTypeDef:
return {
'ARN': 'arn:aws:secretsmanager:us-west-2:123456789012:secret/my-secret-1-a1b2c3',
'Name': 'my-secret-1',
'ResponseMetadata': {
'HTTPHeaders': {},
'HTTPStatusCode': 200,
'RequestId': '12345678-1234-1234-1234-123456789012',
'RetryAttempts': 0,
},
'Versions': versions,
}
versions_per_call = [
_mock_response([{'VersionId': 'v6', 'VersionStages': ['AWSCURRENT']}]),
_mock_response([{'VersionId': 'v6'}, {'VersionId': 'v7'}]),
_mock_response(
[
{'VersionId': 'v6', 'VersionStages': ['AWSPREVIOUS']},
{'VersionId': 'v7', 'VersionStages': ['AWSCURRENT']},
]
),
]
class Counter:
count = 0
def increment(self) -> None:
self.count += 1
num_calls = Counter()
def mock_list_secret_version_ids(*_: Any, **__: Any) -> ListSecretVersionIdsResponseTypeDef:
versions = versions_per_call[num_calls.count]
num_calls.increment()
return versions
mock_client.list_secret_version_ids = mock_list_secret_version_ids
return mock_client
@pytest.fixture
def mock_full_session(
mock_session_with_1_id: mock.MagicMock,
mock_appconfig_client: mock.MagicMock,
mock_appconfigdata_client: mock.MagicMock,
) -> Session:
"""Mock the `boto3.Session` class with a full AppConfig client."""
def client(service: str) -> mock.MagicMock:
if service == 'appconfig':
return mock_appconfig_client
if service == 'appconfigdata':
return mock_appconfigdata_client
raise ValueError(f'Unknown service: {service}')
mock_session_with_1_id.client = client
return mock_session_with_1_id
@pytest.fixture
def mock_poll_too_early(
mock_latest_config: GetLatestConfigurationResponseTypeDef,
) -> AppConfigDataClient:
"""Raise a `BadRequestException` when polling for configuration changes."""
mock_client = mock.MagicMock(spec_set=AppConfigDataClient)
mock_client.exceptions.BadRequestException = ClientError
call_count = 0
def side_effect(*_: Any, **__: Any) -> GetLatestConfigurationResponseTypeDef:
nonlocal call_count
call_count += 1
if call_count == 1:
raise mock_client.exceptions.BadRequestException(
{
'Error': {
'Code': 'BadRequestException',
'Message': 'Request too early',
},
'ResponseMetadata': {},
},
'GetLatestConfiguration',
)
return mock_latest_config
mock_client.get_latest_configuration.side_effect = side_effect
return mock_client
@pytest.fixture
def monkeypatch_systemd(mocker: MockerFixture, monkeypatch: pytest.MonkeyPatch, tmp_path: Path) -> tuple[Path, Path]:
"""Monkeypatch various utilities for interfacing with `systemd` and the shell.
Returns:
tuple[pathlib.Path, pathlib.Path]: the patched `SYSTEM_INSTALL_PATH` and `USER_INSTALL_PATH`
"""
mocker.patch('config_ninja.systemd.sh')
mocker.patch.context_manager(systemd, 'sudo')
mocker.patch('config_ninja.systemd.sdnotify')
system_install_path = tmp_path / 'system'
user_install_path = tmp_path / 'user'
monkeypatch.setattr(systemd, 'AVAILABLE', True)
monkeypatch.setattr(systemd, 'SYSTEM_INSTALL_PATH', system_install_path)
monkeypatch.setattr(systemd, 'USER_INSTALL_PATH', user_install_path)
return (system_install_path, user_install_path)
@pytest.fixture
def example_file(tmp_path: Path) -> Path:
"""Write the test configuration to a file in the temporary directory."""
path = tmp_path / 'example.yaml'
path.write_bytes(MOCK_YAML_CONFIG)
return path
example_file.__doc__ = f"""Write the test configuration to a file in the temporary directory.
```yaml
{MOCK_YAML_CONFIG.decode('utf-8')}
```
"""
@pytest.fixture(autouse=True)
def mock_logging_dict_config(mocker: pytest_mock.MockerFixture) -> mock.MagicMock:
"""Mock the `logging.config.dictConfig()` function."""
return mocker.patch('logging.config.dictConfig')
@pytest.fixture(autouse=True)
def mock_stop_coverage_func(mocker: pytest_mock.MockerFixture) -> mock.MagicMock:
"""Mock the `coverage` module to stop coverage collection."""
return mocker.patch('poethepoet.executor.base._stop_coverage')
|