File size: 22,651 Bytes
9a84bab 482a899 880a849 e4fa0cf 482a899 9a84bab |
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 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 |
import os
import time
import asyncio
import uuid
import hashlib
import threading
from datetime import datetime
from typing import Dict, List, Optional
from collections import deque
from fastapi import FastAPI, HTTPException, Request
from fastapi.middleware.cors import CORSMiddleware
from pydantic import BaseModel
import requests
# Configuration
ORCHESTRATOR_VERSION = "2.1.0"
WORKER_HEALTH_CHECK_INTERVAL = 30
WORKER_TIMEOUT = 120
CACHE_EXPIRY = 3600 # 1 hour
# Cache System
class TranslationCache:
def __init__(self):
self.cache: Dict[str, Dict] = {}
self.lock = threading.Lock()
def _generate_key(self, text: str, source_lang: str, target_lang: str) -> str:
content = f"{text}:{source_lang}:{target_lang}"
return hashlib.md5(content.encode()).hexdigest()
def get(self, text: str, source_lang: str, target_lang: str) -> Optional[Dict]:
key = self._generate_key(text, source_lang, target_lang)
with self.lock:
if key in self.cache:
entry = self.cache[key]
if time.time() - entry['timestamp'] < CACHE_EXPIRY:
print(f"✅ Cache HIT for key: {key[:8]}...")
return entry['data']
else:
del self.cache[key]
print(f"⏰ Cache EXPIRED for key: {key[:8]}...")
return None
def set(self, text: str, source_lang: str, target_lang: str, data: Dict):
key = self._generate_key(text, source_lang, target_lang)
with self.lock:
self.cache[key] = {
'data': data,
'timestamp': time.time()
}
print(f"💾 Cache SAVED for key: {key[:8]}... (Total: {len(self.cache)})")
def clear_expired(self):
current_time = time.time()
with self.lock:
expired_keys = [
key for key, entry in self.cache.items()
if current_time - entry['timestamp'] >= CACHE_EXPIRY
]
for key in expired_keys:
del self.cache[key]
if expired_keys:
print(f"🧹 Cleared {len(expired_keys)} expired cache entries")
def get_stats(self) -> Dict:
with self.lock:
return {
'cache_size': len(self.cache),
'total_entries': len(self.cache)
}
# Models
class TranslationRequest(BaseModel):
request_id: str
text: str
source_lang: str
target_lang: str
auto_charge: bool = False
notification_url: Optional[str] = None
wordpress_user_id: Optional[int] = None
class CacheCheckRequest(BaseModel):
text: str
source_lang: str
target_lang: str
class WorkerConfig(BaseModel):
url: str
name: str
priority: int = 1
max_concurrent: int = 3
class WorkerStatus:
def __init__(self, config: WorkerConfig):
self.config = config
self.available = False
self.active_jobs = 0
self.last_health_check = 0
self.total_completed = 0
self.total_failed = 0
self.avg_response_time = 0.0
class TranslationOrchestrator:
def __init__(self):
self.workers: Dict[str, WorkerStatus] = {}
self.job_queue = deque()
self.active_jobs: Dict[str, Dict] = {}
self.completed_jobs: Dict[str, Dict] = {}
self.worker_lock = threading.Lock()
self.job_lock = threading.Lock()
self.cache = TranslationCache()
self.load_worker_configs()
self.start_health_checker()
self.start_job_processor()
self.start_cache_cleaner()
def load_worker_configs(self):
worker_index = 1
workers_loaded = 0
print("🔧 Loading worker configurations...")
while True:
url_key = f"WORKER_{worker_index}_URL"
name_key = f"WORKER_{worker_index}_NAME"
url = os.getenv(url_key)
if not url:
break
name = os.getenv(name_key, f"Worker {worker_index}")
priority = int(os.getenv(f"WORKER_{worker_index}_PRIORITY", "1"))
max_concurrent = int(os.getenv(f"WORKER_{worker_index}_MAX_CONCURRENT", "1"))
worker_id = f"worker_{worker_index}"
config = WorkerConfig(
url=url.rstrip('/'),
name=name,
priority=priority,
max_concurrent=max_concurrent
)
self.workers[worker_id] = WorkerStatus(config)
workers_loaded += 1
print(f"✅ Loaded worker: {name} at {url}")
worker_index += 1
if workers_loaded == 0:
print("⚠️ No workers in env, using hardcoded fallback")
fallback_workers = [
WorkerConfig(url="https://danicor-w1.hf.space", name="Worker 1", priority=1, max_concurrent=1),
WorkerConfig(url="https://danicor-w2.hf.space", name="Worker 2", priority=1, max_concurrent=1),
WorkerConfig(url="https://danicor-w3.hf.space", name="Worker 3", priority=1, max_concurrent=1),
]
for i, cfg in enumerate(fallback_workers, start=1):
self.workers[f"worker_{i}"] = WorkerStatus(cfg)
print(f"✅ Hardcoded worker: {cfg.name} at {cfg.url}")
def start_cache_cleaner(self):
def cache_clean_loop():
while True:
time.sleep(300) # Every 5 minutes
self.cache.clear_expired()
thread = threading.Thread(target=cache_clean_loop, daemon=True)
thread.start()
print("🧹 Cache cleaner started")
def start_health_checker(self):
def health_check_loop():
while True:
self.check_all_workers_health()
time.sleep(WORKER_HEALTH_CHECK_INTERVAL)
thread = threading.Thread(target=health_check_loop, daemon=True)
thread.start()
print("🏥 Health checker started")
def check_all_workers_health(self):
with self.worker_lock:
for worker_id, worker in self.workers.items():
try:
health_url = f"{worker.config.url}/api/health"
response = requests.get(health_url, timeout=10)
if response.status_code == 200:
data = response.json()
was_available = worker.available
worker.available = data.get('status') == 'healthy'
worker.last_health_check = time.time()
if worker.available and not was_available:
print(f"✅ {worker.config.name} is now available")
elif not worker.available and was_available:
print(f"❌ {worker.config.name} became unavailable")
else:
worker.available = False
print(f"⚠ {worker.config.name}: HTTP {response.status_code}")
except Exception as e:
worker.available = False
def get_available_worker(self) -> Optional[str]:
with self.worker_lock:
available_workers = [
(worker_id, worker)
for worker_id, worker in self.workers.items()
if worker.available and worker.active_jobs < worker.config.max_concurrent
]
if not available_workers:
return None
available_workers.sort(
key=lambda x: (-x[1].config.priority, x[1].active_jobs)
)
return available_workers[0][0]
def start_job_processor(self):
def process_queue_loop():
while True:
self.process_job_queue()
time.sleep(2)
thread = threading.Thread(target=process_queue_loop, daemon=True)
thread.start()
print("🔄 Job processor started")
def add_job_to_queue(self, job_data: Dict):
with self.job_lock:
self.job_queue.append(job_data)
print(f"📥 Job {job_data['request_id']} queued. Queue size: {len(self.job_queue)}")
def process_job_queue(self):
if not self.job_queue:
return
with self.job_lock:
if not self.job_queue:
return
worker_id = self.get_available_worker()
if not worker_id:
return
job_data = self.job_queue.popleft()
self.assign_job_to_worker(worker_id, job_data)
def assign_job_to_worker(self, worker_id: str, job_data: Dict):
worker = self.workers[worker_id]
request_id = job_data['request_id']
print(f"🚀 Assigning job {request_id} to {worker.config.name}")
with self.worker_lock:
worker.active_jobs += 1
self.active_jobs[request_id] = {
'worker_id': worker_id,
'job_data': job_data,
'start_time': time.time(),
'status': 'processing'
}
thread = threading.Thread(
target=self.send_to_worker,
args=(worker_id, job_data),
daemon=True
)
thread.start()
def send_to_worker(self, worker_id: str, job_data: Dict):
worker = self.workers[worker_id]
request_id = job_data['request_id']
try:
worker_request = {
'request_id': request_id,
'text': job_data['text'],
'source_lang': job_data['source_lang'],
'target_lang': job_data['target_lang'],
'auto_charge': False,
'notification_url': None
}
response = requests.post(
f"{worker.config.url}/api/translate/heavy",
json=worker_request,
timeout=WORKER_TIMEOUT
)
if response.status_code == 200:
print(f"✅ Job {request_id} sent to {worker.config.name}")
self.monitor_worker_job(worker_id, request_id)
else:
self.handle_worker_failure(worker_id, request_id, f"HTTP {response.status_code}")
except Exception as e:
self.handle_worker_failure(worker_id, request_id, str(e))
def monitor_worker_job(self, worker_id: str, request_id: str):
worker = self.workers[worker_id]
max_checks = 60
check_count = 0
while check_count < max_checks:
time.sleep(5)
check_count += 1
try:
response = requests.post(
f"{worker.config.url}/api/check-translation-status",
json={'request_id': request_id},
timeout=15
)
if response.status_code == 200:
data = response.json()
if data.get('success') and data.get('status') == 'completed':
self.handle_job_completion(worker_id, request_id, data)
return
elif data.get('status') == 'failed':
self.handle_worker_failure(worker_id, request_id, "Worker reported failure")
return
except Exception as e:
print(f"⚠ Error checking job {request_id}: {str(e)}")
self.handle_worker_failure(worker_id, request_id, "Timeout waiting for completion")
def handle_job_completion(self, worker_id: str, request_id: str, worker_response: Dict):
worker = self.workers[worker_id]
print(f"🎉 Job {request_id} completed by {worker.config.name}")
with self.worker_lock:
worker.active_jobs -= 1
worker.total_completed += 1
job_info = self.active_jobs.get(request_id, {})
job_data = job_info.get('job_data', {})
processing_time = time.time() - job_info.get('start_time', time.time())
completion_data = {
'request_id': request_id,
'status': 'completed',
'translated_text': worker_response.get('translated_text'),
'processing_time': processing_time,
'character_count': worker_response.get('character_count', len(job_data.get('text', ''))),
'translation_length': worker_response.get('translation_length', 0),
'from_cache': False, # از worker آمده، نه از کش orchestrator
'worker_name': worker.config.name,
'completed_at': datetime.now().isoformat()
}
self.completed_jobs[request_id] = completion_data
# ذخیره در کش orchestrator
self.cache.set(
job_data.get('text', ''),
job_data.get('source_lang', ''),
job_data.get('target_lang', ''),
completion_data
)
if request_id in self.active_jobs:
del self.active_jobs[request_id]
def handle_worker_failure(self, worker_id: str, request_id: str, error_message: str):
worker = self.workers[worker_id]
print(f"💥 Job {request_id} failed on {worker.config.name}: {error_message}")
with self.worker_lock:
worker.active_jobs -= 1
worker.total_failed += 1
job_info = self.active_jobs.get(request_id, {})
job_data = job_info.get('job_data', {})
if job_info.get('retry_count', 0) < 2:
print(f"🔄 Retrying job {request_id} (attempt {job_info.get('retry_count', 0) + 1})")
job_data['retry_count'] = job_info.get('retry_count', 0) + 1
self.add_job_to_queue(job_data)
if request_id in self.active_jobs:
del self.active_jobs[request_id]
else:
failure_data = {
'request_id': request_id,
'status': 'failed',
'error_message': error_message,
'failed_at': datetime.now().isoformat()
}
self.completed_jobs[request_id] = failure_data
if request_id in self.active_jobs:
del self.active_jobs[request_id]
# Initialize FastAPI app
app = FastAPI(
title="Translation Orchestrator with Cache",
description="Main orchestrator with integrated caching system",
version=ORCHESTRATOR_VERSION
)
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
orchestrator = TranslationOrchestrator()
@app.get("/")
async def root():
available_workers = sum(1 for w in orchestrator.workers.values() if w.available)
total_workers = len(orchestrator.workers)
cache_stats = orchestrator.cache.get_stats()
return {
"service": "Translation Orchestrator with Cache",
"version": ORCHESTRATOR_VERSION,
"status": "running",
"workers": {
"total": total_workers,
"available": available_workers,
"unavailable": total_workers - available_workers
},
"queue": {
"active_jobs": len(orchestrator.active_jobs),
"queued_jobs": len(orchestrator.job_queue),
"completed_jobs": len(orchestrator.completed_jobs)
},
"cache": cache_stats
}
@app.get("/api/health")
async def health_check():
available_workers = sum(1 for w in orchestrator.workers.values() if w.available)
return {
"status": "healthy" if available_workers > 0 else "degraded",
"timestamp": datetime.now().isoformat(),
"workers": {
"total": len(orchestrator.workers),
"available": available_workers
},
"queue_stats": {
"active": len(orchestrator.active_jobs),
"queued": len(orchestrator.job_queue)
},
"cache_stats": orchestrator.cache.get_stats()
}
@app.post("/api/cache/check")
async def check_cache(request: CacheCheckRequest):
"""بررسی وجود ترجمه در کش"""
cached_data = orchestrator.cache.get(
request.text,
request.source_lang,
request.target_lang
)
if cached_data:
return {
"success": True,
"cached": True,
"data": cached_data
}
else:
return {
"success": True,
"cached": False,
"message": "Translation not in cache"
}
@app.post("/api/translate")
async def submit_translation(request: TranslationRequest):
# ابتدا کش را بررسی کن
cached_data = orchestrator.cache.get(
request.text,
request.source_lang,
request.target_lang
)
if cached_data:
print(f"📦 Returning cached translation for {request.request_id}")
return {
"success": True,
**cached_data,
"from_cache": True
}
# اگر در کش نبود، به صف اضافه کن
if not any(w.available for w in orchestrator.workers.values()):
raise HTTPException(
status_code=503,
detail="No translation workers available. Please try again later."
)
job_data = {
'request_id': request.request_id,
'text': request.text,
'source_lang': request.source_lang,
'target_lang': request.target_lang,
'auto_charge': request.auto_charge,
'notification_url': request.notification_url,
'wordpress_user_id': request.wordpress_user_id,
'retry_count': 0
}
orchestrator.add_job_to_queue(job_data)
return {
"success": True,
"request_id": request.request_id,
"status": "queued",
"message": "Translation request queued successfully",
"queue_position": len(orchestrator.job_queue),
"from_cache": False
}
@app.get("/api/status/{request_id}")
async def check_status(request_id: str):
if request_id in orchestrator.completed_jobs:
return {
"success": True,
**orchestrator.completed_jobs[request_id]
}
if request_id in orchestrator.active_jobs:
job_info = orchestrator.active_jobs[request_id]
elapsed_time = time.time() - job_info['start_time']
return {
"success": True,
"request_id": request_id,
"status": "processing",
"worker_id": job_info['worker_id'],
"elapsed_time": elapsed_time,
"message": "Translation in progress"
}
for job in orchestrator.job_queue:
if job['request_id'] == request_id:
return {
"success": True,
"request_id": request_id,
"status": "queued",
"message": "Translation request is queued"
}
return {
"success": False,
"request_id": request_id,
"status": "not_found",
"message": "Translation request not found"
}
@app.get("/api/cache/stats")
async def get_cache_stats():
"""دریافت آمار کش"""
return {
"success": True,
"cache_stats": orchestrator.cache.get_stats()
}
@app.post("/api/cache/clear")
async def clear_cache():
"""پاک کردن کش (فقط برای مدیران)"""
with orchestrator.cache.lock:
orchestrator.cache.cache.clear()
return {
"success": True,
"message": "Cache cleared successfully"
}
@app.get("/api/workers")
async def list_workers():
workers_info = []
for worker_id, worker in orchestrator.workers.items():
workers_info.append({
"id": worker_id,
"name": worker.config.name,
"url": worker.config.url,
"available": worker.available,
"active_jobs": worker.active_jobs,
"max_concurrent": worker.config.max_concurrent,
"priority": worker.config.priority,
"total_completed": worker.total_completed,
"total_failed": worker.total_failed,
"last_health_check": worker.last_health_check
})
return {
"success": True,
"workers": workers_info
}
class StatusRequest(BaseModel):
request_id: str
@app.post("/api/check-translation-status")
async def check_translation_status(req: StatusRequest):
# بازگشت همان ساختاری که GET /api/status/{request_id} میدهد
return await check_status(req.request_id)
@app.get("/status")
async def orchestrator_status():
available_workers = sum(1 for w in orchestrator.workers.values() if w.available)
total_workers = len(orchestrator.workers)
cache_stats = orchestrator.cache.get_stats()
# محاسبه درخواستها
total_requests = sum(w.total_completed + w.total_failed for w in orchestrator.workers.values())
active_sessions = sum(w.active_jobs for w in orchestrator.workers.values())
return {
"model": "facebook/m2m100_418M", # ثابت
"device": "multi-worker", # چون چند تا Worker داری
"total_requests": total_requests,
"active_sessions": active_sessions,
"cache_size": cache_stats.get("cache_size", 0),
"version": ORCHESTRATOR_VERSION,
"workers": [
{
"id": wid,
"name": w.config.name,
"url": w.config.url,
"available": w.available,
"active_jobs": w.active_jobs,
"total_completed": w.total_completed,
"total_failed": w.total_failed,
}
for wid, w in orchestrator.workers.items()
]
}
if __name__ == "__main__":
import uvicorn
port = int(os.getenv("PORT", 7860))
print(f"🚀 Translation Orchestrator v{ORCHESTRATOR_VERSION}")
print(f"📡 Starting on port {port}")
print(f"💾 Cache system enabled")
uvicorn.run(
app,
host="0.0.0.0",
port=port,
log_level="info"
) |