Newer
Older
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
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
from telemetry.backend.drivers.core._Driver import _Driver
from anytree import Node, Resolver
from apscheduler.events import EVENT_JOB_ADDED, EVENT_JOB_REMOVED
from apscheduler.schedulers.background import BackgroundScheduler
from apscheduler.jobstores.memory import MemoryJobStore
from apscheduler.executors.pool import ThreadPoolExecutor
from datetime import datetime, timedelta
from typing import Any, Iterator, List, Tuple, Union, Optional
from .SyntheticMetricsGenerator import SyntheticMetricsGenerator
import pytz
import queue
import logging
import uuid
import json
logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s')
class EmulatedDriver(_Driver):
"""
EmulatedDriver is a class that simulates a network driver for testing purposes.
It provides functionalities to manage configurations, state subscriptions, and synthetic data generation.
"""
def __init__(self, address: str, port: int, **settings):
super().__init__('emulated_driver', address, port, **settings)
self._initial_config = Node('root') # Tree structure for initial config
self._running_config = Node('root') # Tree structure for running config
self._subscriptions = Node('subscriptions') # Tree for state subscriptions
self._resolver = Resolver() # For path resolution in tree structures
self._out_samples = queue.Queue() # Queue to hold synthetic state samples
self._synthetic_data = SyntheticMetricsGenerator(metric_queue=self._out_samples) # Placeholder for synthetic data generator
self._scheduler = BackgroundScheduler(daemon=True)
self._scheduler.configure(
jobstores = {'default': MemoryJobStore()},
executors = {'default': ThreadPoolExecutor(max_workers=1)},
timezone = pytz.utc
)
self._scheduler.add_listener(self._listener_job_added_to_subscription_tree, EVENT_JOB_ADDED)
self._scheduler.add_listener(self._listener_job_removed_from_subscription_tree, EVENT_JOB_REMOVED)
self.logger = logging.getLogger(__name__)
self.connected = False # To track connection state
self.logger.info("EmulatedDriver initialized")
def Connect(self) -> bool:
self.logger.info(f"Connecting to {self.address}:{self.port}")
self.connected = True
self._scheduler.start()
self.logger.info(f"Successfully connected to {self.address}:{self.port}")
return True
def Disconnect(self) -> bool:
self.logger.info(f"Disconnecting from {self.address}:{self.port}")
if not self.connected:
self.logger.warning("Driver is not connected. Nothing to disconnect.")
return False
self._scheduler.shutdown()
self.connected = False
self.logger.info(f"Successfully disconnected from {self.address}:{self.port}")
return True
def _require_connection(self):
if not self.connected:
raise RuntimeError("Driver is not connected. Please connect before performing operations.")
# ------------- GetConfig, SetConfig, DeleteConfig, with helper methods (START)-----------------
def GetInitialConfig(self) -> List[Tuple[str, Any]]:
self._require_connection()
results = []
for node in self._initial_config.descendants:
value = getattr(node, "value", None)
results.append((node.name, json.loads(value) if value else None))
self.logger.info("Retrieved initial configurations")
return results
def GetConfig(self, resource_keys: List[str] = []) -> List[Tuple[str, Union[Any, dict, Exception]]]:
"""
Retrieves the configuration for the specified resource keys.
If no keys are provided, returns the full configuration tree.
Args:
resource_keys (List[str]): A list of keys specifying the configuration to retrieve.
Returns:
List[Tuple[str, Union[Any, dict, Exception]]]: A list of tuples with the resource key and its value,
subtree, or an exception.
"""
self._require_connection()
results = []
try:
if not resource_keys:
# If no specific keys are provided, return the full configuration tree
full_tree = self._generate_subtree(self._running_config)
return [("full_configuration", full_tree)]
for key in resource_keys:
try:
# Parse the resource key
resource_path = self._parse_resource_key(key)
self.logger.info(f"1. Retrieving configuration for resource path : {resource_path}")
# Navigate to the node corresponding to the key
parent = self._running_config
for part in resource_path:
parent = self._find_or_raise_node(part, parent)
# Check if the node has a value
value = getattr(parent, "value", None)
if value:
# If a value exists, return it
results.append((key, json.loads(value)))
else:
# If no value, return the subtree of this node
subtree = self._generate_subtree(parent)
results.append((key, subtree))
except Exception as e:
self.logger.exception(f"Failed to retrieve configuration for key: {key}")
results.append((key, e))
except Exception as e:
self.logger.exception("Failed to retrieve configurations")
results.append(("Error", e))
return results
def SetConfig(self, config: dict) -> List[Union[bool, Exception]]:
self._require_connection()
results = []
if not isinstance(config, dict):
self.logger.error("Invalid configuration format: config must be a dictionary.")
raise ValueError("Invalid configuration format. Must be a dictionary.")
if 'config_rules' not in config or not isinstance(config['config_rules'], list):
self.logger.error("Invalid configuration format: 'config_rules' key missing or not a list.")
raise ValueError("Invalid configuration format. Must contain a 'config_rules' key with a list of rules.")
for rule in config['config_rules']:
try:
if 'action' not in rule or 'custom' not in rule:
raise ValueError(f"Invalid rule format: {rule}")
action = rule['action']
custom = rule['custom']
resource_key = custom.get('resource_key')
resource_value = custom.get('resource_value')
if not resource_key:
raise ValueError(f"Resource key is missing in rule: {rule}")
if resource_value is None:
raise ValueError(f"Resource value is None for key: {resource_key}")
if not resource_key:
raise ValueError(f"Resource key is missing in rule: {rule}")
if action == 1: # Set action
resource_path = self._parse_resource_key(resource_key)
# self.logger.info(f"1. Setting configuration for resource key {resource_key} and resource_path: {resource_path}")
parent = self._running_config
for part in resource_path[:-1]:
if '[' in part and ']' in part:
base, index = part.split('[', 1)
index = index.rstrip(']')
parent = self._find_or_create_node(index, self._find_or_create_node(base, parent))
# self.logger.info(f"2a. Creating node: {base}, {index}, {parent}")
elif resource_path[-1] != 'settings':
# self.logger.info(f"2b. Creating node: {part}")
parent = self._find_or_create_node(part, parent)
final_part = resource_path[-1]
if final_part in ['address', 'port']:
self._create_or_update_node(final_part, parent, resource_value)
self.logger.info(f"Configured: {resource_key} = {resource_value}")
if resource_key.startswith("_connect/settings"):
parent = self._find_or_create_node("_connect", self._running_config)
settings_node = self._find_or_create_node("settings", parent)
settings_node.value = None # Ensure settings node has None value
endpoints_node = self._find_or_create_node("endpoints", settings_node)
for endpoint in resource_value.get("endpoints", []):
uuid = endpoint.get("uuid")
uuid = uuid.replace('/', '_') if uuid else None
if uuid:
# self.logger.info(f"3. Creating endpoint: {uuid}, {endpoint}, {endpoints_node}")
self._create_or_update_node(uuid, endpoints_node, endpoint)
self.logger.info(f"Configured endpoint: {uuid} : {endpoint}")
elif resource_key.startswith("/interface"):
interface_parent = self._find_or_create_node("interface", self._running_config)
name = resource_value.get("name")
name = name.replace('/', '_') if name else None
if name:
self._create_or_update_node(name, interface_parent, resource_value)
self.logger.info(f"Configured interface: {name} : {resource_value}")
# self.logger.info(f"4. Configured interface: {name}")
results.append(True)
else:
raise ValueError(f"Unsupported action '{action}' in rule: {rule}")
if resource_value is None:
raise ValueError(f"Resource value is None for key: {resource_key}")
except Exception as e:
self.logger.exception(f"Failed to apply rule: {rule}")
results.append(e)
return results
def _generate_subtree(self, node: Node) -> dict:
"""
Generates a subtree of the configuration tree starting from the specified node.
Args:
node (Node): The node from which to generate the subtree.
Returns:
dict: The subtree as a dictionary.
"""
subtree = {}
for child in node.children:
if child.children:
subtree[child.name] = self._generate_subtree(child)
else:
value = getattr(child, "value", None)
subtree[child.name] = json.loads(value) if value else None
return subtree
def DeleteConfig(self, resource_keys: List[str]) -> List[Union[bool, Exception]]:
self._require_connection()
results = []
for key in resource_keys:
try:
# Parse resource key into parts, handling brackets correctly
resource_path = self._parse_resource_key(key)
parent = self._running_config
for part in resource_path:
parent = self._find_or_raise_node(part, parent)
# Delete the final node
node_to_delete = parent
parent = node_to_delete.parent
parent.children = tuple(child for child in parent.children if child != node_to_delete)
self.logger.info(f"Deleted configuration for key: {key}")
# Handle endpoints structure
if "interface" in key and "settings" in key:
interface_name = key.split('[')[-1].split(']')[0]
endpoints_parent = self._find_or_raise_node("_connect", self._running_config)
endpoints_node = self._find_or_raise_node("endpoints", endpoints_parent)
endpoint_to_delete = next((child for child in endpoints_node.children if child.name == interface_name), None)
if endpoint_to_delete:
endpoints_node.children = tuple(child for child in endpoints_node.children if child != endpoint_to_delete)
self.logger.info(f"Removed endpoint entry for interface '{interface_name}'")
# Check if parent has no more children and is not the root
while parent and parent.name != "root" and not parent.children:
node_to_delete = parent
parent = node_to_delete.parent
parent.children = tuple(child for child in parent.children if child != node_to_delete)
self.logger.info(f"Deleted empty parent node: {node_to_delete.name}")
results.append(True)
except Exception as e:
self.logger.exception(f"Failed to delete configuration for key: {key}")
results.append(e)
return results
def _parse_resource_key(self, resource_key: str) -> List[str]:
"""
Parses the resource key into parts, correctly handling brackets.
Args:
resource_key (str): The resource key to parse.
Returns:
List[str]: A list of parts from the resource key.
"""
resource_path = []
current_part = ""
in_brackets = False
if not resource_key.startswith('/interface'):
for char in resource_key.strip('/'):
if char == '[':
in_brackets = True
current_part += char
elif char == ']':
in_brackets = False
current_part += char
elif char == '/' and not in_brackets:
resource_path.append(current_part)
current_part = ""
else:
current_part += char
if current_part:
resource_path.append(current_part)
return resource_path
else:
resource_path = resource_key.strip('/').split('/', 1)
if resource_path[1] == 'settings':
return resource_path
else:
resource_path = [resource_key.strip('/').split('[')[0].strip('/'), resource_key.strip('/').split('[')[1].split(']')[0].replace('/', '_')]
return resource_path
def _find_or_raise_node(self, name: str, parent: Node) -> Node:
"""
Finds a node with the given name under the specified parent or raises an exception if not found.
Args:
name (str): The name of the node to find.
parent (Node): The parent node.
Returns:
Node: The found node.
Raises:
ValueError: If the node is not found.
"""
node = next((child for child in parent.children if child.name == name), None)
if not node:
raise ValueError(f"Node '{name}' not found under parent '{parent.name}'.")
return node
def _find_or_create_node(self, name: str, parent: Node) -> Node:
"""
Finds or creates a node with the given name under the specified parent.
Args:
name (str): The name of the node to find or create.
parent (Node): The parent node.
Returns:
Node: The found or created node.
"""
node = next((child for child in parent.children if child.name == name), None)
if not node:
node = Node(name, parent=parent)
return node
def _create_or_update_node(self, name: str, parent: Node, value: Any):
"""
Creates or updates a node with the given name and value under the specified parent.
Args:
name (str): The name of the node.
parent (Node): The parent node.
value (Any): The value to set on the node.
"""
node = next((child for child in parent.children if child.name == name), None)
if node:
node.value = json.dumps(value)
else:
Node(name, parent=parent, value=json.dumps(value))
def validate_resource_key(self, key: str) -> str:
"""
Splits the input string into two parts:
- The first part is '_connect/settings/endpoints/'.
- The second part is the remaining string after the first part, with '/' replaced by '_'.
Args:
key (str): The input string to process.
Returns:
str: A single string with the processed result.
"""
prefix = '_connect/settings/endpoints/'
if not key.startswith(prefix):
raise ValueError(f"The input path '{key}' does not start with the expected prefix: {prefix}")
second_part = key[len(prefix):]
second_part_processed = second_part.replace('/', '_')
validated_key = prefix + second_part_processed
return validated_key
# ------------- GetConfig, SetConfig, DeleteConfig, with helper methods (END)-----------------
def SubscribeState(self, subscriptions: List[Tuple[str, float, float]]) -> List[Union[bool, Exception]]:
self._require_connection()
results = []
for resource_key, duration, interval in subscriptions:
resource_key = self.validate_resource_key(resource_key) # Validate the endpoint name
self.logger.info(f"1. Subscribing to {resource_key} with duration {duration}s and interval {interval}s")
try:
self._resolver.get(self._running_config, resource_key) # Verify if the resource key exists in the running configuration
self.logger.info(f"Resource key {resource_key} exists in the configuration.")
resource_value = json.loads(self._resolver.get(self._running_config, resource_key).value)
if resource_value is not None:
sample_type_ids = resource_value['sample_types']
self.logger.info(f"Sample type IDs for {resource_key}: {sample_type_ids}")
else:
self.logger.warning(f"No sample types found for {resource_key}. Skipping subscription.")
continue
# Add the job to the scheduler
job_id = f"{resource_key}-{uuid.uuid4()}"
self._scheduler.add_job(
self._generate_sample,
'interval',
seconds=interval,
args=[resource_key, sample_type_ids],
id=job_id,
replace_existing=True,
end_date=datetime.now(pytz.utc) + timedelta(seconds=duration)
)
self.logger.info(f"Job added to scheduler for resource key {resource_key} with duration {duration}s and interval {interval}s")
results.append(True)
except Exception as e:
self.logger.error(f"Failed to verify resource key or add job: {e}")
results.append(e)
return results
def UnsubscribeState(self, subscriptions: List[Tuple[str, float, float]]) -> List[Union[bool, Exception]]:
self._require_connection()
results = []
for resource_key, _, _ in subscriptions:
resource_key = self.validate_resource_key(resource_key)
try:
# Check if job exists
job_ids = [job.id for job in self._scheduler.get_jobs() if resource_key in job.id]
if not job_ids:
self.logger.warning(f"No active jobs found for {resource_key}. It might have already terminated.")
results.append(False)
continue
# Remove jobs
for job_id in job_ids:
self._scheduler.remove_job(job_id)
self.logger.info(f"Unsubscribed from {resource_key} with job IDs: {job_ids}")
results.append(True)
except Exception as e:
self.logger.exception(f"Failed to unsubscribe from {resource_key}")
results.append(e)
return results
def GetState(self, blocking: bool = False, terminate: Optional[queue.Queue] = None) -> Iterator[Tuple[str, Any]]:
self._require_connection()
start_time = datetime.now(pytz.utc)
duration = 10 # Duration of the subscription in seconds (as an example)
while True:
try:
if terminate and not terminate.empty():
self.logger.info("Termination signal received, stopping GetState")
break
elapsed_time = (datetime.now(pytz.utc) - start_time).total_seconds()
if elapsed_time >= duration:
self.logger.info("Duration expired, stopping GetState")
break
sample = self._out_samples.get(block=blocking, timeout=1 if blocking else 0.1)
self.logger.info(f"Retrieved state sample: {sample}")
yield sample
except queue.Empty:
if not blocking:
self.logger.info("No more samples in queue, exiting GetState")
return None
def _generate_sample(self, resource_key: str, sample_type_ids : List[int]):
self._require_connection()
# Simulate generating a sample for the resource key
self.logger.debug(f"Executing _generate_sample for resource: {resource_key}")
sample = self._synthetic_data.generate_synthetic_data_point(resource_key, sample_type_ids)
self._out_samples.put(sample)
# ------------- Event Listeners (START)-----------------
def _listener_job_removed_from_subscription_tree(self, event):
if event.job_id:
# Extract the resource key from the job ID
resource_key = event.job_id.split('-')[0]
resource_key = self.validate_resource_key(resource_key)
# Remove the subscription from the tree
try:
subscription_path = resource_key.split('/')
parent = self._subscriptions
for part in subscription_path:
parent = next((child for child in parent.children if child.name == part), None)
if not parent:
raise ValueError(f"Subscription path '{resource_key}' not found in tree.")
if parent:
parent.parent.children = tuple(child for child in parent.parent.children if child != parent)
self.logger.info(f"Automatically removed subscription from subscription_tree for {resource_key} after job termination by listener.")
except Exception as e:
self.logger.warning(f"Failed to remove subscription for {resource_key}: {e}")
def _listener_job_added_to_subscription_tree(self, event):
try:
job_id = event.job_id
if job_id:
resource_key = job_id.split('-')[0] # Extract resource key from job ID
resource_key = self.validate_resource_key(resource_key)
subscription_path = resource_key.split('/')
parent = self._subscriptions
for part in subscription_path:
node = next((child for child in parent.children if child.name == part), None)
if not node:
node = Node(part, parent=parent)
parent = node
parent.value = {
"job_id": job_id
}
self.logger.info(f"Automatically added subscription for {resource_key} to the subscription_tree by listener.")
except Exception as e:
self.logger.exception("Failed to add subscription to the tree")
# ------------- Event Listeners (END)-----------------
def log_active_jobs(self):
"""
Logs the IDs of all active jobs.
This method retrieves the list of active jobs from the scheduler and logs their IDs using the logger.
"""
self._require_connection()
jobs = self._scheduler.get_jobs()
self.logger.info(f"Active jobs: {[job.id for job in jobs]}")
def print_config_tree(self):
"""
Reads the configuration using GetConfig and prints it as a hierarchical tree structure.
For debugging purposes.
"""
self._require_connection()
def print_tree(node, indent=""):
"""
Recursively prints the configuration tree.
Args:
node (Node): The current node to print.
indent (str): The current indentation level.
"""
if node.name != "root": # Skip the root node's name
value = getattr(node, "value", None)
print(f"{indent}- {node.name}: {json.loads(value) if value else ''}")
for child in node.children:
print_tree(child, indent + " ")
print("Configuration Tree:")
print_tree(self._running_config)