mirror of
https://github.com/ferdzo/iotDashboard.git
synced 2026-04-05 17:16:26 +00:00
77 lines
2.6 KiB
Python
77 lines
2.6 KiB
Python
"""
|
|
SQLAlchemy ORM models for device manager service.
|
|
|
|
These models mirror the database schema defined in db_migrations.
|
|
Kept separate to make the service independent.
|
|
"""
|
|
from sqlalchemy import JSON, Boolean, Column, DateTime, ForeignKey, Index, Text
|
|
from sqlalchemy.ext.declarative import declarative_base
|
|
from sqlalchemy.sql import func
|
|
|
|
Base = declarative_base()
|
|
|
|
|
|
class Device(Base):
|
|
"""IoT devices registered in the system."""
|
|
|
|
__tablename__ = "devices"
|
|
|
|
id = Column(Text, primary_key=True)
|
|
name = Column(Text, nullable=False)
|
|
location = Column(Text)
|
|
protocol = Column(Text, nullable=False, default="mqtt")
|
|
connection_config = Column(JSON)
|
|
is_active = Column(Boolean, default=True)
|
|
created_at = Column(DateTime(timezone=True), server_default=func.now())
|
|
|
|
def __repr__(self):
|
|
return f"<Device(id={self.id}, name={self.name}, protocol={self.protocol})>"
|
|
|
|
|
|
class DeviceCertificate(Base):
|
|
"""X.509 certificates issued to devices for mTLS authentication."""
|
|
|
|
__tablename__ = "device_certificates"
|
|
|
|
id = Column(Text, primary_key=True)
|
|
device_id = Column(
|
|
Text, ForeignKey("devices.id", ondelete="CASCADE"), nullable=False
|
|
)
|
|
certificate_pem = Column(Text, nullable=False)
|
|
private_key_pem = Column(Text)
|
|
issued_at = Column(DateTime(timezone=True), nullable=False)
|
|
expires_at = Column(DateTime(timezone=True), nullable=False)
|
|
revoked_at = Column(DateTime(timezone=True))
|
|
|
|
__table_args__ = (
|
|
Index("idx_device_certificates_device_id", "device_id"),
|
|
Index("idx_device_certificates_active", "device_id", "revoked_at"),
|
|
)
|
|
|
|
def __repr__(self):
|
|
return f"<DeviceCertificate(id={self.id}, device_id={self.device_id}, expires={self.expires_at})>"
|
|
|
|
|
|
class DeviceCredential(Base):
|
|
"""Authentication credentials for non-mTLS protocols (HTTP, webhook, etc)."""
|
|
|
|
__tablename__ = "device_credentials"
|
|
|
|
id = Column(Text, primary_key=True)
|
|
device_id = Column(
|
|
Text, ForeignKey("devices.id", ondelete="CASCADE"), nullable=False
|
|
)
|
|
credential_type = Column(Text, nullable=False)
|
|
credential_hash = Column(Text, nullable=False)
|
|
created_at = Column(DateTime(timezone=True), nullable=False)
|
|
expires_at = Column(DateTime(timezone=True))
|
|
revoked_at = Column(DateTime(timezone=True))
|
|
|
|
__table_args__ = (
|
|
Index("idx_device_credentials_device_id", "device_id"),
|
|
Index("idx_device_credentials_active", "device_id", "revoked_at"),
|
|
)
|
|
|
|
def __repr__(self):
|
|
return f"<DeviceCredential(id={self.id}, device_id={self.device_id}, type={self.credential_type})>"
|