Security Validation (enhance-security-validation): - JWT secret validation with entropy checking and pattern detection - CSRF protection middleware with token generation/validation - Frontend CSRF token auto-injection for DELETE/PUT/PATCH requests - MIME type validation with magic bytes detection for file uploads Error Resilience (add-error-resilience): - React ErrorBoundary component with fallback UI and retry functionality - ErrorBoundaryWithI18n wrapper for internationalization support - Page-level and section-level error boundaries in App.tsx Query Performance (optimize-query-performance): - Query monitoring utility with threshold warnings - N+1 query fixes using joinedload/selectinload - Optimized project members, tasks, and subtasks endpoints Bug Fixes: - WebSocket session management (P0): Return primitives instead of ORM objects - LIKE query injection (P1): Escape special characters in search queries Tests: 543 backend tests, 56 frontend tests passing Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
156 lines
4.5 KiB
Python
156 lines
4.5 KiB
Python
import logging
|
|
import threading
|
|
import os
|
|
from sqlalchemy import create_engine, event
|
|
from sqlalchemy.ext.declarative import declarative_base
|
|
from sqlalchemy.orm import sessionmaker
|
|
|
|
from app.core.config import settings
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
# Connection pool configuration with environment variable overrides
|
|
POOL_SIZE = int(os.getenv("DB_POOL_SIZE", "10"))
|
|
MAX_OVERFLOW = int(os.getenv("DB_MAX_OVERFLOW", "20"))
|
|
POOL_TIMEOUT = int(os.getenv("DB_POOL_TIMEOUT", "30"))
|
|
POOL_STATS_INTERVAL = int(os.getenv("DB_POOL_STATS_INTERVAL", "300")) # 5 minutes
|
|
|
|
engine = create_engine(
|
|
settings.DATABASE_URL,
|
|
pool_pre_ping=True,
|
|
pool_recycle=3600,
|
|
pool_size=POOL_SIZE,
|
|
max_overflow=MAX_OVERFLOW,
|
|
pool_timeout=POOL_TIMEOUT,
|
|
)
|
|
|
|
SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
|
|
|
|
Base = declarative_base()
|
|
|
|
# Connection pool statistics tracking
|
|
_pool_stats_lock = threading.Lock()
|
|
_pool_stats = {
|
|
"checkouts": 0,
|
|
"checkins": 0,
|
|
"overflow_connections": 0,
|
|
"invalidated_connections": 0,
|
|
}
|
|
|
|
|
|
def _log_pool_statistics():
|
|
"""Log current connection pool statistics."""
|
|
pool = engine.pool
|
|
with _pool_stats_lock:
|
|
logger.info(
|
|
"Database connection pool statistics: "
|
|
"size=%d, checked_in=%d, overflow=%d, "
|
|
"total_checkouts=%d, total_checkins=%d, invalidated=%d",
|
|
pool.size(),
|
|
pool.checkedin(),
|
|
pool.overflow(),
|
|
_pool_stats["checkouts"],
|
|
_pool_stats["checkins"],
|
|
_pool_stats["invalidated_connections"],
|
|
)
|
|
|
|
|
|
def _start_pool_stats_logging():
|
|
"""Start periodic logging of connection pool statistics."""
|
|
if POOL_STATS_INTERVAL <= 0:
|
|
return
|
|
|
|
def log_stats():
|
|
_log_pool_statistics()
|
|
# Schedule next log
|
|
timer = threading.Timer(POOL_STATS_INTERVAL, log_stats)
|
|
timer.daemon = True
|
|
timer.start()
|
|
|
|
# Start the first timer
|
|
timer = threading.Timer(POOL_STATS_INTERVAL, log_stats)
|
|
timer.daemon = True
|
|
timer.start()
|
|
logger.info(
|
|
"Database connection pool initialized: pool_size=%d, max_overflow=%d, pool_timeout=%d, stats_interval=%ds",
|
|
POOL_SIZE, MAX_OVERFLOW, POOL_TIMEOUT, POOL_STATS_INTERVAL
|
|
)
|
|
|
|
|
|
# Register pool event listeners for statistics
|
|
@event.listens_for(engine, "checkout")
|
|
def _on_checkout(dbapi_conn, connection_record, connection_proxy):
|
|
"""Track connection checkout events."""
|
|
with _pool_stats_lock:
|
|
_pool_stats["checkouts"] += 1
|
|
|
|
|
|
@event.listens_for(engine, "checkin")
|
|
def _on_checkin(dbapi_conn, connection_record):
|
|
"""Track connection checkin events."""
|
|
with _pool_stats_lock:
|
|
_pool_stats["checkins"] += 1
|
|
|
|
|
|
@event.listens_for(engine, "invalidate")
|
|
def _on_invalidate(dbapi_conn, connection_record, exception):
|
|
"""Track connection invalidation events."""
|
|
with _pool_stats_lock:
|
|
_pool_stats["invalidated_connections"] += 1
|
|
if exception:
|
|
logger.warning("Database connection invalidated due to exception: %s", exception)
|
|
|
|
|
|
# Start pool statistics logging on module load
|
|
_start_pool_stats_logging()
|
|
|
|
# Set up query logging if enabled
|
|
from app.core.query_monitor import setup_query_logging
|
|
setup_query_logging(engine)
|
|
|
|
|
|
def get_db():
|
|
"""Dependency for getting database session."""
|
|
db = SessionLocal()
|
|
try:
|
|
yield db
|
|
finally:
|
|
db.close()
|
|
|
|
|
|
def get_pool_status() -> dict:
|
|
"""Get current connection pool status for health checks."""
|
|
pool = engine.pool
|
|
with _pool_stats_lock:
|
|
return {
|
|
"pool_size": pool.size(),
|
|
"checked_in": pool.checkedin(),
|
|
"checked_out": pool.checkedout(),
|
|
"overflow": pool.overflow(),
|
|
"total_checkouts": _pool_stats["checkouts"],
|
|
"total_checkins": _pool_stats["checkins"],
|
|
"invalidated_connections": _pool_stats["invalidated_connections"],
|
|
}
|
|
|
|
|
|
def escape_like(value: str) -> str:
|
|
"""
|
|
Escape special characters for SQL LIKE queries.
|
|
|
|
Escapes '%' and '_' characters which have special meaning in LIKE patterns.
|
|
This prevents LIKE injection attacks where user input could match unintended patterns.
|
|
|
|
Args:
|
|
value: The user input string to escape
|
|
|
|
Returns:
|
|
Escaped string safe for use in LIKE patterns
|
|
|
|
Example:
|
|
>>> escape_like("test%value")
|
|
'test\\%value'
|
|
>>> escape_like("user_name")
|
|
'user\\_name'
|
|
"""
|
|
return value.replace("\\", "\\\\").replace("%", "\\%").replace("_", "\\_")
|