Backend: - Add 2FA authentication with TOTP support - Add API keys management system - Add audit logging for security events - Add file upload/management system - Add notifications system with preferences - Add session management - Add webhooks integration - Add analytics endpoints - Add export functionality - Add password policy enforcement - Add new database migrations for core tables Frontend: - Add module position system (top/bottom sidebar sections) - Add search and notifications module configuration tabs - Add mobile logo replacing hamburger menu - Center page title absolutely when no tabs present - Align sidebar footer toggles with navigation items - Add lighter icon color in dark theme for mobile - Add API keys management page - Add notifications page with context - Add admin analytics and audit logs pages 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
49 lines
1.8 KiB
Python
49 lines
1.8 KiB
Python
"""Audit log database model for tracking user actions."""
|
|
|
|
import uuid
|
|
from sqlalchemy import Column, String, Text, ForeignKey, Index
|
|
from sqlalchemy.sql import func
|
|
from sqlalchemy.types import DateTime
|
|
|
|
from app.db.base import Base
|
|
|
|
|
|
class AuditLog(Base):
|
|
"""Audit log model for tracking user actions and system events."""
|
|
|
|
__tablename__ = "audit_logs"
|
|
|
|
id = Column(String(36), primary_key=True, default=lambda: str(uuid.uuid4()))
|
|
|
|
# Who performed the action
|
|
user_id = Column(String(36), ForeignKey("users.id", ondelete="SET NULL"), nullable=True, index=True)
|
|
username = Column(String(100), nullable=True) # Stored for history even if user deleted
|
|
|
|
# What action was performed
|
|
action = Column(String(50), nullable=False, index=True) # login, logout, create, update, delete, etc.
|
|
resource_type = Column(String(50), nullable=True, index=True) # user, setting, api_key, etc.
|
|
resource_id = Column(String(255), nullable=True) # ID of affected resource
|
|
|
|
# Additional details
|
|
details = Column(Text, nullable=True) # JSON string with extra info
|
|
|
|
# Request context
|
|
ip_address = Column(String(45), nullable=True) # IPv6 max length
|
|
user_agent = Column(String(500), nullable=True)
|
|
|
|
# Status
|
|
status = Column(String(20), default="success") # success, failure, error
|
|
|
|
# Timestamp
|
|
created_at = Column(DateTime, server_default=func.now(), nullable=False, index=True)
|
|
|
|
# Composite indexes for common queries
|
|
__table_args__ = (
|
|
Index('ix_audit_user_action', 'user_id', 'action'),
|
|
Index('ix_audit_resource', 'resource_type', 'resource_id'),
|
|
Index('ix_audit_created_at_desc', created_at.desc()),
|
|
)
|
|
|
|
def __repr__(self):
|
|
return f"<AuditLog(id={self.id}, user={self.username}, action={self.action})>"
|