Spaces:
Sleeping
Sleeping
File size: 18,527 Bytes
e9bc512 74eb1b8 e9bc512 74eb1b8 e9bc512 40395a4 e9bc512 40395a4 e9bc512 40395a4 e9bc512 40395a4 e9bc512 40395a4 e9bc512 40395a4 e9bc512 7b251d0 419f8a6 e9bc512 7b251d0 e9bc512 7b251d0 e9bc512 7b251d0 e9bc512 7b251d0 e9bc512 7b251d0 e9bc512 7b251d0 | 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 | import requests
import json
import numpy as np
from typing import Dict, Any, Optional, Union
import threading
import time
import hashlib
import logging
from requests.adapters import HTTPAdapter
from urllib3.util.retry import Retry
class HTTPGPUStorage:
"""
HTTP-based GPU storage client that replaces WebSocket functionality.
Maintains the same interface as WebSocketGPUStorage for backward compatibility.
"""
# Singleton instance
_instance = None
_lock = threading.Lock()
def __new__(cls, base_url: str = "https://factorst-intiv.hf.space"):
with cls._lock:
if cls._instance is None:
cls._instance = super().__new__(cls)
cls._instance._init_singleton(base_url)
return cls._instance
def _init_singleton(self, base_url: str):
"""Initialize the singleton instance"""
if hasattr(self, 'initialized'):
return
self.base_url = base_url.rstrip('/')
self.api_base = f"{self.base_url}/api/v1"
self.session_token = None
self.session_id = None
self.lock = threading.Lock()
self._closing = False
self.error_count = 0
self.last_error_time = 0
self.max_retries = 5
# Tensor and model registries (maintained for compatibility)
self.tensor_registry: Dict[str, Dict[str, Any]] = {}
self.model_registry: Dict[str, Dict[str, Any]] = {}
self.resource_monitor = {
'vram_used': 0,
'active_tensors': 0,
'loaded_models': set()
}
# Configure HTTP session with connection pooling and retries
self.http_session = requests.Session()
# Configure retry strategy
retry_strategy = Retry(
total=3,
status_forcelist=[429, 500, 502, 503, 504],
allowed_methods=["HEAD", "GET", "OPTIONS", "POST", "PUT", "DELETE"], # Updated parameter name
backoff_factor=1
)
adapter = HTTPAdapter(
max_retries=retry_strategy,
pool_connections=10,
pool_maxsize=20
)
self.http_session.mount("http://", adapter)
self.http_session.mount("https://", adapter)
# Set default headers
self.http_session.headers.update({
'Content-Type': 'application/json',
'User-Agent': 'VirtualGPU-HTTP-Client/2.0'
})
# Initialize session
self._create_session()
self.initialized = True
def __init__(self, base_url: str = "https://factorst-intiv.hf.space"):
"""This will actually just return the singleton instance"""
pass
def _create_session(self):
"""Create HTTP session with the server"""
try:
response = self.http_session.post(
f"{self.api_base}/sessions",
json={"client_id": "virtual_gpu_client"},
timeout=30
)
response.raise_for_status()
session_data = response.json()
self.session_token = session_data['session_token']
self.session_id = session_data['session_id']
# Update session headers
self.http_session.headers.update({
'Authorization': f'Bearer {self.session_token}'
})
logging.info(f"HTTP session created: {self.session_id}")
return True
except Exception as e:
logging.error(f"Failed to create HTTP session: {e}")
self.error_count += 1
self.last_error_time = time.time()
return False
def _make_request(self, method: str, endpoint: str, **kwargs) -> Optional[Dict[str, Any]]:
"""Make HTTP request with error handling and retries"""
if self._closing:
return {"status": "error", "message": "HTTP client is closing"}
url = f"{self.api_base}{endpoint}"
try:
# Ensure we have a valid session
if not self.session_token:
if not self._create_session():
return {"status": "error", "message": "Failed to create session"}
response = self.http_session.request(method, url, timeout=30, **kwargs)
# Handle authentication errors by recreating session
if response.status_code == 401:
logging.warning("Session expired, recreating...")
if self._create_session():
response = self.http_session.request(method, url, timeout=30, **kwargs)
else:
return {"status": "error", "message": "Failed to recreate session"}
response.raise_for_status()
# Reset error count on successful request
self.error_count = 0
return response.json()
except requests.exceptions.RequestException as e:
self.error_count += 1
self.last_error_time = time.time()
logging.error(f"HTTP request failed: {e}")
return {"status": "error", "message": f"HTTP request failed: {str(e)}"}
except Exception as e:
self.error_count += 1
self.last_error_time = time.time()
logging.error(f"Unexpected error in HTTP request: {e}")
return {"status": "error", "message": f"Unexpected error: {str(e)}"}
def store_tensor(self, tensor_id: str, data: np.ndarray, model_size: Optional[int] = None) -> bool:
"""Store tensor data via HTTP API"""
try:
if data is None:
raise ValueError("Cannot store None tensor")
# Calculate tensor metadata
tensor_shape = data.shape
tensor_dtype = str(data.dtype)
tensor_size = data.nbytes
request_data = {
"data": data.tolist(),
"metadata": {
'shape': tensor_shape,
'dtype': tensor_dtype,
'size': tensor_size,
'timestamp': time.time()
},
"model_size": model_size if model_size is not None else -1
}
response = self._make_request(
'POST',
f'/vram/blocks/{tensor_id}',
json=request_data
)
if response and response.get('status') == 'success':
# Update tensor registry
with self.lock:
self.tensor_registry[tensor_id] = {
'shape': tensor_shape,
'dtype': tensor_dtype,
'size': tensor_size,
'timestamp': time.time()
}
self.resource_monitor['vram_used'] += tensor_size
self.resource_monitor['active_tensors'] += 1
return True
else:
logging.error(f"Failed to store tensor {tensor_id}: {response.get('message', 'Unknown error')}")
return False
except Exception as e:
logging.error(f"Error storing tensor {tensor_id}: {str(e)}")
return False
def load_tensor(self, tensor_id: str) -> Optional[np.ndarray]:
"""Load tensor data via HTTP API"""
try:
# Check tensor registry first
if tensor_id not in self.tensor_registry:
logging.warning(f"Tensor {tensor_id} not registered in VRAM")
# Still try to load it in case it exists on server
response = self._make_request('GET', f'/vram/blocks/{tensor_id}')
if response and response.get('status') == 'success':
data = response.get('data')
metadata = response.get('metadata', {})
if data is None:
logging.error(f"No data found for tensor {tensor_id}")
return None
try:
# Convert to numpy array with correct dtype
expected_dtype = metadata.get('dtype', 'float32')
expected_shape = metadata.get('shape')
arr = np.array(data, dtype=np.dtype(expected_dtype))
if expected_shape and arr.shape != tuple(expected_shape):
arr = arr.reshape(expected_shape)
# Update registry if not present
if tensor_id not in self.tensor_registry:
with self.lock:
self.tensor_registry[tensor_id] = metadata
return arr
except Exception as e:
logging.error(f"Error converting tensor data: {str(e)}")
return None
else:
logging.error(f"Failed to load tensor {tensor_id}: {response.get('message', 'Unknown error')}")
return None
except Exception as e:
logging.error(f"Error loading tensor {tensor_id}: {str(e)}")
return None
def store_state(self, component: str, state_id: str, state_data: Dict[str, Any]) -> bool:
"""Store component state via HTTP API"""
try:
request_data = {
"data": state_data,
"timestamp": time.time()
}
response = self._make_request(
'POST',
f'/api/v1/state/{component}/{state_id}',
json=request_data
)
if response and response.get('status') == 'success':
return True
else:
logging.error(f"Failed to store state for {component}/{state_id}: {response.get('message', 'Unknown error')}")
return False
except Exception as e:
logging.error(f"Error storing state for {component}/{state_id}: {str(e)}")
return False
def load_state(self, component: str, state_id: str) -> Optional[Dict[str, Any]]:
"""Load component state via HTTP API"""
try:
response = self._make_request("GET", f"/api/v1/state/{component}/{state_id}")
if response and response.get('status') == 'success':
return response.get('data')
else:
logging.error(f"Failed to load state for {component}/{state_id}: {response.get('message', 'Unknown error')}")
return None
except Exception as e:
logging.error(f"Error loading state for {component}/{state_id}: {str(e)}")
return None
def cache_data(self, key: str, data: Any) -> bool:
"""Cache data via HTTP API"""
try:
request_data = {"data": data}
response = self._make_request(
'POST',
f'/api/v1/cache/{key}',
json=request_data
)
return response and response.get('status') == 'success'
except Exception as e:
logging.error(f"Error caching data for key {key}: {str(e)}")
return False
def get_cached_data(self, key: str) -> Optional[Any]:
"""Get cached data via HTTP API"""
try:
response = self._make_request("GET", f"/api/v1/cache/{key}")
if response and response.get('status') == 'success':
return response.get('data')
return None
except Exception as e:
logging.error(f"Error getting cached data for key {key}: {str(e)}")
return None
def is_model_loaded(self, model_name: str) -> bool:
"""Check if a model is loaded via HTTP API"""
try:
response = self._make_request("GET", f"/api/v1/models/{model_name}/status")
if response and response.get('status') == 'loaded':
return True
return False
except Exception as e:
logging.error(f"Error checking model status for {model_name}: {str(e)}")
return False
def load_model(self, model_name: str, model_path: Optional[str] = None, model_data: Optional[Dict] = None) -> bool:
"""Load a model via HTTP API"""
try:
# Check if model is already loaded
if self.is_model_loaded(model_name):
logging.info(f"Model {model_name} already loaded")
return True
# Calculate model hash if path provided
model_hash = None
if model_path:
model_hash = self._calculate_model_hash(model_path)
request_data = {
"model_data": model_data,
"model_path": model_path,
"model_hash": model_hash
}
response = self._make_request(
'POST',
f'/api/v1/models/{model_name}/load',
json=request_data
)
if response and response.get('status') == 'success':
with self.lock:
self.model_registry[model_name] = {
'hash': model_hash,
'timestamp': time.time(),
'model_data': model_data
}
self.resource_monitor['loaded_models'].add(model_name)
logging.info(f"Successfully loaded model {model_name}")
return True
else:
logging.error(f"Failed to load model {model_name}: {response.get('message', 'Unknown error')}")
return False
except Exception as e:
logging.error(f"Error loading model {model_name}: {str(e)}")
return False
def _calculate_model_hash(self, model_path: str) -> str:
"""Calculate SHA256 hash of model file"""
try:
sha256_hash = hashlib.sha256()
with open(model_path, "rb") as f:
for byte_block in iter(lambda: f.read(4096), b""):
sha256_hash.update(byte_block)
return sha256_hash.hexdigest()
except Exception as e:
logging.error(f"Error calculating model hash: {str(e)}")
return ""
def start_inference(self, model_name: str, input_data: np.ndarray) -> Optional[Dict[str, Any]]:
"""Start inference with a loaded model via HTTP API"""
try:
if not self.is_model_loaded(model_name):
logging.error(f"Model {model_name} not loaded. Please load the model first.")
return None
request_data = {
"input_data": input_data.tolist() if isinstance(input_data, np.ndarray) else input_data
}
response = self._make_request(
'POST',
f'/models/{model_name}/inference',
json=request_data
)
if response and response.get('status') == 'success':
return {
'output': np.array(response['output']) if 'output' in response else None,
'metrics': response.get('metrics', {}),
'model_info': self.model_registry.get(model_name, {})
}
else:
logging.error(f"Inference failed for model {model_name}: {response.get('message', 'Unknown error')}")
return None
except Exception as e:
logging.error(f"Error during inference for model {model_name}: {str(e)}")
return None
def ping(self) -> bool:
"""Ping the server to check connection status."""
try:
response = self._make_request('GET', '/status')
return response and response.get('status') == 'ok'
except Exception as e:
logging.error(f"Ping failed: {e}")
return False
def is_connected(self) -> bool:
"""Check if the client is connected to the server."""
return self.ping()
def get_connection_status(self) -> Dict[str, Any]:
"""Get detailed connection status."""
if self.is_connected():
return {"status": "connected", "session_id": self.session_id}
else:
return {"status": "disconnected", "error_count": self.error_count}
def set_keep_alive(self, interval: int):
"""Set keep-alive interval (compatibility method)."""
logging.info(f"Keep-alive interval set to {interval} seconds (HTTP client does not use websockets).")
def reconnect(self):
"""Attempt to reconnect (compatibility method)."""
logging.info("Attempting to reconnect HTTP client...")
self._create_session()
def wait_for_connection(self, timeout: float = 30.0) -> bool:
"""Wait for HTTP connection to be established (compatibility method)"""
start_time = time.time()
while time.time() - start_time < timeout:
if self.is_connected():
logging.info("HTTP connection established.")
return True
time.sleep(1) # Wait for 1 second before retrying
logging.error("HTTP connection not established within timeout.")
return False
def close(self):
"""Close HTTP client"""
self._closing = True
logging.info("HTTP client is closing.")
# Invalidate session on server side if possible
if self.session_token:
try:
self.http_session.post(f"{self.api_base}/sessions/invalidate",
headers={'Authorization': f'Bearer {self.session_token}'},
timeout=5)
except Exception as e:
logging.warning(f"Failed to invalidate session on server: {e}")
self.http_session.close()
HTTPGPUStorage._instance = None # Clear singleton instance
# Compatibility alias for existing code
WebSocketGPUStorage = HTTPGPUStorage
|