Spaces:
Sleeping
Sleeping
File size: 9,800 Bytes
0a4529c |
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 |
# DEPENDENCIES
import sys
import logging
from pathlib import Path
from typing import Optional
from datetime import datetime
from logging.handlers import RotatingFileHandler
class ColoredFormatter(logging.Formatter):
"""
Custom formatter with color support for console output
"""
# ANSI color codes
COLORS = {'DEBUG' : '\033[36m', # Cyan
'INFO' : '\033[32m', # Green
'WARNING' : '\033[33m', # Yellow
'ERROR' : '\033[31m', # Red
'CRITICAL' : '\033[35m', # Magenta
'RESET' : '\033[0m', # Reset
}
def format(self, record: logging.LogRecord) -> str:
"""
Format log record with color
"""
# Add color to level name
levelname = record.levelname
if levelname in self.COLORS:
record.levelname = (f"{self.COLORS[levelname]}{levelname}{self.COLORS['RESET']}")
# Add color to logger name
record.name = f"\033[34m{record.name}\033[0m" # Blue
return super().format(record)
class StructuredFormatter(logging.Formatter):
"""
Structured JSON-like formatter for file logging
"""
def format(self, record: logging.LogRecord) -> str:
"""
Format log record as structured data
"""
log_data = {"timestamp" : datetime.fromtimestamp(record.created).isoformat(),
"level" : record.levelname,
"logger" : record.name,
"message" : record.getMessage(),
"module" : record.module,
"function" : record.funcName,
"line" : record.lineno,
}
# Add exception info if present
if record.exc_info:
log_data["exception"] = self.formatException(record.exc_info)
# Add extra fields
if hasattr(record, "extra"):
log_data.update(record.extra)
# Format as key=value pairs (easier to read than JSON)
parts = [f"{k}={v}" for k, v in log_data.items()]
return " | ".join(parts)
def setup_logging(log_level: str = "INFO", log_dir: Optional[Path] = None, log_format: Optional[str] = None, enable_console: bool = True,
enable_file: bool = True, max_bytes: int = 10 * 1024 * 1024, backup_count: int = 5) -> logging.Logger:
"""
Setup comprehensive logging configuration
Arguments:
----------
log_level { str } : Logging level (DEBUG, INFO, WARNING, ERROR, CRITICAL)
log_dir { Path } : Directory for log files
log_format { str } : Custom log format string
enable_console { bool } : Enable console output
enable_file { bool } : Enable file output
max_bytes { int } : Max file size before rotation
backup_count { int } : Number of backup files to keep
Returns:
--------
{ logging.Logger } : Configured root logger
"""
# Get root logger
logger = logging.getLogger()
logger.setLevel(getattr(logging, log_level.upper()))
# Clear existing handlers
logger.handlers.clear()
# Default format
if log_format is None:
log_format = "%(asctime)s - %(name)s - %(levelname)s - %(message)s"
# Console handler with colors
if enable_console:
console_handler = logging.StreamHandler(sys.stdout)
console_handler.setLevel(logging.DEBUG)
console_formatter = ColoredFormatter(log_format, datefmt = "%Y-%m-%d %H:%M:%S")
console_handler.setFormatter(console_formatter)
logger.addHandler(console_handler)
# File handler with rotation
if enable_file and log_dir:
log_dir = Path(log_dir)
log_dir.mkdir(parents = True, exist_ok = True)
# Main log file
log_file = log_dir / f"app_{datetime.now().strftime('%Y%m%d')}.log"
file_handler = RotatingFileHandler(log_file, maxBytes = max_bytes, backupCount = backup_count, encoding = "utf-8")
file_handler.setLevel(logging.DEBUG)
# Use structured formatter for files
file_formatter = StructuredFormatter()
file_handler.setFormatter(file_formatter)
logger.addHandler(file_handler)
# Separate error log
error_file = log_dir / f"error_{datetime.now().strftime('%Y%m%d')}.log"
error_handler = RotatingFileHandler(error_file, maxBytes = max_bytes, backupCount = backup_count, encoding = "utf-8")
error_handler.setLevel(logging.ERROR)
error_handler.setFormatter(file_formatter)
logger.addHandler(error_handler)
# Suppress noisy third-party loggers
logging.getLogger("urllib3").setLevel(logging.WARNING)
logging.getLogger("requests").setLevel(logging.WARNING)
logging.getLogger("httpx").setLevel(logging.WARNING)
logging.getLogger("httpcore").setLevel(logging.WARNING)
logging.getLogger("sentence_transformers").setLevel(logging.WARNING)
logging.getLogger("transformers").setLevel(logging.WARNING)
logging.getLogger("torch").setLevel(logging.WARNING)
logging.getLogger("playwright").setLevel(logging.WARNING)
logging.getLogger("faiss").setLevel(logging.WARNING)
logging.getLogger("llama_index").setLevel(logging.WARNING)
logging.getLogger("langchain").setLevel(logging.WARNING)
logger.info(f"Logging configured: level={log_level}, console={enable_console}, file={enable_file}")
return logger
def get_logger(name: str) -> logging.Logger:
"""
Get a logger instance for a specific module
Arguments:
----------
name { str } : Logger name (typically __name__)
Returns:
--------
{ logging.Logger } : Logger instance
"""
return logging.getLogger(name)
class LoggerAdapter(logging.LoggerAdapter):
"""
Custom logger adapter that adds contextual information: Useful for tracking request IDs, user IDs, etc
"""
def process(self, msg: str, kwargs: dict) -> tuple[str, dict]:
"""
Add extra context to log messages
"""
extra = self.extra.copy()
# Add to structured logging
if 'extra' not in kwargs:
kwargs['extra'] = {}
kwargs['extra'].update(extra)
# Add to message
context_parts = [f"{k}={v}" for k, v in extra.items()]
if context_parts:
msg = f"[{', '.join(context_parts)}] {msg}"
return msg, kwargs
def get_context_logger(name: str, **context) -> LoggerAdapter:
"""
Get a logger with contextual information
Arguments:
----------
name { str } : Logger name
**context : Context key-value pairs
Returns:
--------
{ LoggerAdapter } : Logger adapter with context
"""
base_logger = get_logger(name)
return LoggerAdapter(base_logger, context)
# Performance logging utilities
class TimedLogger:
"""
Context manager for timing operations and logging
"""
def __init__(self, logger: logging.Logger, operation: str, level: int = logging.INFO, log_start: bool = False):
self.logger = logger
self.operation = operation
self.level = level
self.log_start = log_start
self.start_time = None
def __enter__(self):
if self.log_start:
self.logger.log(self.level, f"{self.operation} started")
self.start_time = datetime.now()
return self
def __exit__(self, exc_type, exc_val, exc_tb):
duration = (datetime.now() - self.start_time).total_seconds()
if exc_type is None:
self.logger.log(self.level, f"{self.operation} completed in {duration:.2f}s")
else:
self.logger.error(f"{self.operation} failed after {duration:.2f}s: {exc_val}")
# Logging decorators
def log_execution(logger: Optional[logging.Logger] = None, level: int = logging.INFO):
"""
Decorator to log function execution time
"""
def decorator(func):
nonlocal logger
if logger is None:
logger = get_logger(func.__module__)
def wrapper(*args, **kwargs):
func_name = f"{func.__module__}.{func.__name__}"
with TimedLogger(logger, func_name, level=level):
return func(*args, **kwargs)
return wrapper
return decorator
def log_exceptions(logger: Optional[logging.Logger] = None, reraise: bool = True):
"""
Decorator to log exceptions with full traceback
"""
def decorator(func):
nonlocal logger
if logger is None:
logger = get_logger(func.__module__)
def wrapper(*args, **kwargs):
try:
return func(*args, **kwargs)
except Exception as e:
func_name = f"{func.__module__}.{func.__name__}"
logger.exception(f"Exception in {func_name}: {str(e)}")
if reraise:
raise
return None
return wrapper
return decorator
# Initialize logging on module import (with defaults) : This will be overridden by app.py with actual settings
_default_logger = setup_logging(log_level = "DEBUG",
enable_console = True,
enable_file = True,
)
|