-
Notifications
You must be signed in to change notification settings - Fork 36
/
Copy pathtest_collector_manager.py
356 lines (288 loc) · 10.8 KB
/
test_collector_manager.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
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
# BSD 2-Clause License
#
# Copyright (c) 2021-2023, Hewlett Packard Enterprise
# All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are met:
#
# 1. Redistributions of source code must retain the above copyright notice, this
# list of conditions and the following disclaimer.
#
# 2. Redistributions in binary form must reproduce the above copyright notice,
# this list of conditions and the following disclaimer in the documentation
# and/or other materials provided with the distribution.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
# AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
# IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
# DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
# FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
# DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
# SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
# CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
# OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
import asyncio
import datetime
import typing as t
import uuid
import pytest
from smartsim._core.entrypoints.telemetrymonitor import (
CollectorManager,
DbConnectionCollector,
DbMemoryCollector,
JobEntity,
redis,
FileSink,
)
# The tests in this file belong to the slow_tests group
pytestmark = pytest.mark.group_a
@pytest.fixture
def mock_con():
def _mock_con(min=1, max=1000):
i = min
while True:
yield [{"addr": f"127.0.0.{i}:1234"}, {"addr": f"127.0.0.{i}:2345"}]
i += 1
if i > max:
return None
return _mock_con
@pytest.fixture
def mock_mem():
def _mock_mem(min=1, max=1000):
i = min
while True:
yield {
"total_system_memory": 1000 * i,
"used_memory": 1111 * i,
"used_memory_peak": 1234 * i,
}
i += 1
if i > max:
return None
return _mock_mem
@pytest.fixture
def mock_redis():
def _mock_redis(
is_conn: bool = True,
conn_side_effect=None,
mem_stats=None,
client_stats=None,
coll_side_effect=None,
):
class MockConn:
def __init__(self, *args, **kwargs) -> None:
if conn_side_effect is not None:
conn_side_effect()
async def info(self) -> t.Dict[str, t.Any]:
if coll_side_effect:
await coll_side_effect()
if mem_stats:
return next(mem_stats)
return {
"ts": 111,
"total_system_memory": "111",
"used_memory": "222",
"used_memory_peak": "333",
}
async def client_list(self) -> t.Dict[str, t.Any]:
if coll_side_effect:
await coll_side_effect()
if client_stats:
return next(client_stats)
return {"ts": 111, "addr": "127.0.0.1"}
return MockConn
return _mock_redis
@pytest.fixture
def mock_entity(test_dir):
def _mock_entity(
host: str = "127.0.0.1", port: str = "6379", name: str = "", type: str = ""
):
entity = JobEntity()
entity.name = name if name else str(uuid.uuid4())
entity.status_dir = test_dir
entity.type = type
entity.meta = {
"host": host,
"port": port,
}
return entity
return _mock_entity
def test_collector_manager_add(mock_entity, mock_sink):
"""Ensure that collector manager add & clear work as expected"""
entity1 = mock_entity()
con_col = DbConnectionCollector(entity1, mock_sink())
mem_col = DbMemoryCollector(entity1, mock_sink())
manager = CollectorManager()
# ensure manager starts empty
assert len(manager.all_collectors) == 0
# ensure added item is in the collector list
manager.add(con_col)
assert len(manager.all_collectors) == 1
# ensure a duplicate isn't added
manager.add(con_col)
assert len(manager.all_collectors) == 1
# ensure another collector for the same entity is added
manager.add(mem_col)
assert len(manager.all_collectors) == 2
# create a collector for another entity
entity2 = mock_entity()
con_col2 = DbConnectionCollector(entity2, mock_sink())
# ensure collectors w/same type for new entities are not treated as dupes
manager.add(con_col2)
assert len(manager.all_collectors) == 3
# verify no dupe on second entity
manager.add(con_col2)
assert len(manager.all_collectors) == 3
manager.clear()
assert len(manager.all_collectors) == 0
# ensure post-clear adding still works
manager.add(con_col2)
assert len(manager.all_collectors) == 1
def test_collector_manager_add_multi(mock_entity, mock_sink):
"""Ensure that collector manager multi-add works as expected"""
entity = mock_entity()
con_col = DbConnectionCollector(entity, mock_sink())
mem_col = DbMemoryCollector(entity, mock_sink())
manager = CollectorManager()
# add multiple items at once
manager.add_all([con_col, mem_col])
assert len(manager.all_collectors) == 2
# ensure multi-add does not produce dupes
con_col2 = DbConnectionCollector(entity, mock_sink())
mem_col2 = DbMemoryCollector(entity, mock_sink())
manager.add_all([con_col2, mem_col2])
assert len(manager.all_collectors) == 2
@pytest.mark.asyncio
async def test_collector_manager_collect(
mock_entity, mock_redis, monkeypatch, mock_con, mock_mem, mock_sink
):
"""Ensure that all collectors are executed and some metric is retrieved
NOTE: responses & producer are mocked"""
entity1 = mock_entity(port=1234, name="entity1")
entity2 = mock_entity(port=2345, name="entity2")
sinks = [mock_sink(), mock_sink(), mock_sink()]
con_col1 = DbConnectionCollector(entity1, sinks[0])
mem_col1 = DbMemoryCollector(entity1, sinks[1])
mem_col2 = DbMemoryCollector(entity2, sinks[2])
manager = CollectorManager()
manager.add_all([con_col1, mem_col1, mem_col2])
# Execute collection
with monkeypatch.context() as ctx:
ctx.setattr(
redis,
"Redis",
mock_redis(client_stats=mock_con(1, 10), mem_stats=mock_mem(1, 10)),
)
await manager.collect()
# verify each collector retrieved some metric & sent it to the sink
for sink in sinks:
value = sink.args
assert value is not None and value
@pytest.mark.asyncio
async def test_collector_manager_collect_filesink(
mock_entity, mock_redis, monkeypatch, mock_mem, mock_con
):
"""Ensure that all collectors are executed and some metric is retrieved
and the FileSink is written to as expected"""
entity1 = mock_entity(port=1234, name="entity1")
entity2 = mock_entity(port=2345, name="entity2")
sinks = [
FileSink(entity1, "1_con.csv"),
FileSink(entity1, "1_mem.csv"),
FileSink(entity2, "2_mem.csv"),
]
con_col1 = DbConnectionCollector(entity1, sinks[0])
mem_col1 = DbMemoryCollector(entity1, sinks[1])
mem_col2 = DbMemoryCollector(entity2, sinks[2])
manager = CollectorManager()
manager.add_all([con_col1, mem_col1, mem_col2])
# Execute collection
with monkeypatch.context() as ctx:
ctx.setattr(
redis,
"Redis",
mock_redis(client_stats=mock_con(1, 10), mem_stats=mock_mem(1, 10)),
)
await manager.collect()
# verify each collector retrieved some metric & sent it to the sink
for sink in sinks:
save_to = sink.path
assert save_to.exists()
if "con" in str(save_to):
assert "127.0.0." in save_to.read_text()
else:
# look for something multiplied by 1000
assert "000" in save_to.read_text()
@pytest.mark.asyncio
async def test_collector_manager_collect_integration(mock_entity, local_db, mock_sink):
"""Ensure that all collectors are executed and some metric is retrieved"""
entity1 = mock_entity(port=local_db.ports[0], name="e1")
entity2 = mock_entity(port=local_db.ports[0], name="e2")
# todo: consider a MockSink so i don't have to save the last value in the collector
sinks = [mock_sink(), mock_sink(), mock_sink()]
con_col1 = DbConnectionCollector(entity1, sinks[0])
mem_col1 = DbMemoryCollector(entity1, sinks[1])
mem_col2 = DbMemoryCollector(entity2, sinks[2])
manager = CollectorManager()
manager.add_all([con_col1, mem_col1, mem_col2])
# Execute collection
await manager.collect()
# verify each collector retrieved some metric & sent it to the sink
for sink in sinks:
value = sink.args
assert value is not None and value
@pytest.mark.parametrize(
"timeout_at,delay_for,expect_fail",
[
pytest.param(1000, 5000, True, id="1s timeout"),
pytest.param(2000, 5000, True, id="2s timeout"),
pytest.param(3000, 5000, True, id="3s timeout"),
pytest.param(4000, 5000, True, id="4s timeout"),
pytest.param(2000, 1000, False, id="under timeout"),
],
)
@pytest.mark.asyncio
async def test_collector_manager_timeout(
mock_entity,
mock_redis,
monkeypatch: pytest.MonkeyPatch,
mock_mem,
mock_con,
timeout_at,
delay_for,
expect_fail,
mock_sink,
):
"""Ensure that the collector timeout is honored"""
entity1 = mock_entity(port=1234, name="e1")
entity2 = mock_entity(port=2345, name="e2")
sinks = [mock_sink(), mock_sink(), mock_sink()]
con_col1 = DbConnectionCollector(entity1, sinks[0])
mem_col1 = DbMemoryCollector(entity1, sinks[1])
mem_col2 = DbMemoryCollector(entity2, sinks[2])
manager = CollectorManager(timeout_ms=timeout_at)
manager.add_all([con_col1, mem_col1, mem_col2])
async def snooze():
await asyncio.sleep(delay_for / 1000)
# Execute collection
with monkeypatch.context() as ctx:
ctx.setattr(
redis,
"Redis",
mock_redis(
client_stats=mock_con(1, 10),
mem_stats=mock_mem(1, 10),
coll_side_effect=snooze,
),
)
ts0 = datetime.datetime.utcnow()
await manager.collect()
ts1 = datetime.datetime.utcnow()
t_diff = ts1 - ts0
actual_delay = 1000 * t_diff.seconds
if expect_fail:
assert timeout_at <= actual_delay < delay_for
else:
assert delay_for <= actual_delay < timeout_at