File size: 13,424 Bytes
fd357f4 |
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 |
#!/usr/bin/env python3
"""
DTO Lineage Event Handler - Processes NATS events to build data lineage
Listens for transfer events and automatically updates lineage graph
"""
import asyncio
import json
from typing import Dict, Any, Optional
from datetime import datetime
from nats.aio.client import Client as NATS
from dto_lineage_client import DTOLineageClient
class DTOLineageEventHandler:
def __init__(self, nats_servers: list = ["nats://localhost:4222"]):
self.nats_servers = nats_servers
self.nats_client = NATS()
self.lineage_client = DTOLineageClient()
self.run_cache = {} # Cache run vertices to avoid lookups
async def connect(self) -> bool:
"""Connect to NATS and JanusGraph"""
try:
# Connect to NATS
await self.nats_client.connect(servers=self.nats_servers)
print("β
Connected to NATS for lineage tracking")
# Connect to JanusGraph
if not self.lineage_client.connect():
print("β οΈ JanusGraph not available - lineage tracking disabled")
return False
return True
except Exception as e:
print(f"β Lineage handler connection failed: {e}")
return False
async def handle_run_planned(self, event_data: Dict[str, Any]):
"""Handle RUN_PLANNED event - create run vertex"""
run_id = event_data.get('run_id')
job_id = event_data.get('job_id')
manifest_path = event_data.get('manifest_path')
environment = event_data.get('environment')
initiated_by = event_data.get('initiated_by')
print(f"π Recording run lineage: {run_id}")
# Record run vertex
run_vertex_id = self.lineage_client.record_run(
run_id, job_id, manifest_path, environment, initiated_by
)
if run_vertex_id:
self.run_cache[run_id] = run_vertex_id
print(f"β
Run vertex created: {run_id} -> {run_vertex_id}")
else:
print(f"β Failed to create run vertex: {run_id}")
async def handle_manifest_loaded(self, event_data: Dict[str, Any]):
"""Handle MANIFEST_LOADED event - record source datasets"""
run_id = event_data.get('run_id')
manifest_data = event_data.get('manifest_data', {})
datasets = manifest_data.get('datasets', [])
environment = event_data.get('environment', 'unknown')
data_class = event_data.get('data_class', 'unknown')
print(f"π Recording source datasets for run: {run_id}")
for dataset in datasets:
dataset_path = dataset.get('path')
checksum = dataset.get('checksum')
size_bytes = dataset.get('size_bytes', 0)
if dataset_path and checksum:
# Record source dataset
dataset_vertex_id = self.lineage_client.record_dataset(
dataset_path, checksum, size_bytes, data_class, environment
)
if dataset_vertex_id:
print(f"β
Source dataset recorded: {dataset_path}")
# Link dataset to run as input
try:
# Note: This would need proper graph traversal to link
# For now, we're recording the relationship for future linking
print(f"π Linked {dataset_path} as input to run {run_id}")
except Exception as e:
print(f"β Error linking dataset to run: {e}")
async def handle_transfer_started(self, event_data: Dict[str, Any]):
"""Handle TRANSFER_STARTED event - record hosts and transfer details"""
run_id = event_data.get('run_id')
source_host = event_data.get('source_host')
target_host = event_data.get('target_host')
transfer_method = event_data.get('transfer_method')
print(f"π Recording transfer hosts for run: {run_id}")
# Record hosts
if source_host:
source_host_id = self.lineage_client.record_host(source_host, "source")
if source_host_id:
print(f"β
Source host recorded: {source_host}")
if target_host:
target_host_id = self.lineage_client.record_host(target_host, "target")
if target_host_id:
print(f"β
Target host recorded: {target_host}")
# Store transfer details in run cache for later use
if run_id not in self.run_cache:
self.run_cache[run_id] = {}
self.run_cache[run_id].update({
'source_host': source_host,
'target_host': target_host,
'transfer_method': transfer_method
})
async def handle_validation_passed(self, event_data: Dict[str, Any]):
"""Handle VALIDATION_PASSED event - record target datasets"""
run_id = event_data.get('run_id')
validation_results = event_data.get('validation_results', {})
print(f"π Recording validated target datasets for run: {run_id}")
# Get run details from cache
run_details = self.run_cache.get(run_id, {})
for file_result in validation_results.get('files', []):
target_path = file_result.get('target_path')
checksum = file_result.get('checksum')
size_bytes = file_result.get('size_bytes', 0)
source_path = file_result.get('source_path')
if target_path and checksum and file_result.get('validation_passed'):
# Record target dataset
target_dataset_id = self.lineage_client.record_dataset(
target_path, checksum, size_bytes,
event_data.get('data_class', 'unknown'),
event_data.get('environment', 'unknown')
)
if target_dataset_id and source_path:
print(f"β
Target dataset recorded: {target_path}")
# Find source dataset
source_dataset_id = None
try:
# This would need proper implementation to find source dataset
# by path and checksum from the graph
print(f"π Looking up source dataset: {source_path}")
# For now, create lineage link with available information
if all([run_details.get('source_host'), run_details.get('target_host')]):
# Link transfer lineage
self.lineage_client.link_transfer_lineage(
source_dataset_id or "unknown",
target_dataset_id,
run_id,
run_details['source_host'],
run_details['target_host'],
run_details.get('transfer_method', 'unknown'),
event_data.get('average_throughput_mbps', 0.0)
)
print(f"π Linked transfer lineage: {source_path} -> {target_path}")
except Exception as e:
print(f"β Error linking lineage: {e}")
async def handle_run_completed(self, event_data: Dict[str, Any]):
"""Handle RUN_COMPLETED event - finalize lineage and generate reports"""
run_id = event_data.get('run_id')
final_status = event_data.get('final_status')
print(f"π Finalizing lineage for completed run: {run_id}")
if final_status == 'SUCCESS':
# Generate lineage impact report
try:
# Get all datasets processed in this run
# This would need proper graph traversal implementation
print(f"π Generating lineage impact report for run: {run_id}")
# Validate lineage integrity
integrity_report = self.lineage_client.validate_lineage_integrity()
if integrity_report:
print(f"β
Lineage integrity validated for run: {run_id}")
# Publish lineage completion event
lineage_event = {
'event_id': f"lineage-completed-{run_id}",
'event_type': 'LINEAGE_COMPLETED',
'timestamp': datetime.now().isoformat(),
'run_id': run_id,
'integrity_report': integrity_report
}
await self.nats_client.publish(
"dto.events.lineage.completed",
json.dumps(lineage_event).encode()
)
except Exception as e:
print(f"β Error finalizing lineage: {e}")
# Clean up run cache
if run_id in self.run_cache:
del self.run_cache[run_id]
async def handle_data_corruption_detected(self, event_data: Dict[str, Any]):
"""Handle data corruption - trace impact through lineage"""
corrupted_dataset = event_data.get('dataset_path')
corruption_type = event_data.get('corruption_type')
print(f"π¨ Tracing corruption impact: {corrupted_dataset}")
try:
# Find all impacted datasets downstream
impacted_datasets = self.lineage_client.find_data_impact(corrupted_dataset)
if impacted_datasets:
print(f"β οΈ Corruption may impact {len(impacted_datasets)} datasets")
# Publish impact analysis event
impact_event = {
'event_id': f"corruption-impact-{datetime.now().timestamp()}",
'event_type': 'CORRUPTION_IMPACT_ANALYSIS',
'timestamp': datetime.now().isoformat(),
'corrupted_dataset': corrupted_dataset,
'corruption_type': corruption_type,
'impacted_datasets': impacted_datasets,
'impact_count': len(impacted_datasets)
}
await self.nats_client.publish(
"dto.events.lineage.corruption_impact",
json.dumps(impact_event).encode()
)
print(f"π Published corruption impact analysis")
except Exception as e:
print(f"β Error tracing corruption impact: {e}")
async def process_event(self, msg):
"""Process incoming NATS event for lineage tracking"""
try:
event_data = json.loads(msg.data.decode())
event_type = event_data.get('event_type')
# Route to appropriate handler
handlers = {
'RUN_PLANNED': self.handle_run_planned,
'MANIFEST_LOADED': self.handle_manifest_loaded,
'TRANSFER_STARTED': self.handle_transfer_started,
'VALIDATION_PASSED': self.handle_validation_passed,
'RUN_COMPLETED': self.handle_run_completed,
'DATA_CORRUPTION_DETECTED': self.handle_data_corruption_detected
}
handler = handlers.get(event_type)
if handler:
await handler(event_data)
else:
# Log other events for debugging
print(f"βΉοΈ Lineage handler ignoring event: {event_type}")
except Exception as e:
print(f"β Error processing lineage event: {e}")
async def start_lineage_tracking(self):
"""Start listening for DTO events to build lineage"""
try:
# Subscribe to all DTO events
await self.nats_client.subscribe("dto.events.>", cb=self.process_event)
print("β
Started lineage tracking - listening for DTO events")
# Keep running
while True:
await asyncio.sleep(1)
except KeyboardInterrupt:
print("\nπ Stopping lineage tracking...")
except Exception as e:
print(f"β Lineage tracking error: {e}")
finally:
await self.nats_client.close()
self.lineage_client.close()
# CLI entry point
async def main():
handler = DTOLineageEventHandler()
if await handler.connect():
print("π DTO Lineage Tracking started")
print("Monitoring events: RUN_PLANNED, MANIFEST_LOADED, TRANSFER_STARTED, VALIDATION_PASSED, RUN_COMPLETED")
print("Building data provenance graph in JanusGraph")
print("Press Ctrl+C to stop\n")
await handler.start_lineage_tracking()
else:
print("β Failed to start lineage tracking")
if __name__ == "__main__":
asyncio.run(main()) |