59 lines
2.3 KiB
Python
59 lines
2.3 KiB
Python
import uuid
|
|
from sqlalchemy import Column, Integer, String, Boolean, DateTime, ForeignKey, JSON, text, Text
|
|
from sqlalchemy.orm import relationship
|
|
from sqlalchemy.dialects.postgresql import UUID as PG_UUID
|
|
from geoalchemy2 import Geometry # PostGIS támogatás
|
|
from sqlalchemy.sql import func
|
|
from app.db.base_class import Base
|
|
|
|
class ServiceProfile(Base):
|
|
"""
|
|
Szerviz szolgáltató kiterjesztett adatai.
|
|
Egy Organization-höz (org_type='service') kapcsolódik.
|
|
"""
|
|
__tablename__ = "service_profiles"
|
|
__table_args__ = {"schema": "data"}
|
|
|
|
id = Column(Integer, primary_key=True, index=True)
|
|
organization_id = Column(Integer, ForeignKey("data.organizations.id"), unique=True)
|
|
|
|
# PostGIS GPS pont (SRID 4326 = WGS84 koordináták)
|
|
location = Column(Geometry(geometry_type='POINT', srid=4326), index=True)
|
|
|
|
# Trust Engine (Bot Discovery=30, User Entry=50, Admin/Partner=100)
|
|
trust_score = Column(Integer, default=30)
|
|
is_verified = Column(Boolean, default=False)
|
|
verification_log = Column(JSON, server_default=text("'{}'::jsonb"))
|
|
|
|
opening_hours = Column(JSON, server_default=text("'{}'::jsonb"))
|
|
contact_phone = Column(String)
|
|
website = Column(String)
|
|
bio = Column(Text)
|
|
|
|
# Kapcsolatok
|
|
organization = relationship("Organization")
|
|
expertises = relationship("ServiceExpertise", back_populates="service")
|
|
|
|
class ExpertiseTag(Base):
|
|
"""Szakmai szempontok taxonómiája."""
|
|
__tablename__ = "expertise_tags"
|
|
__table_args__ = {"schema": "data"}
|
|
|
|
id = Column(Integer, primary_key=True)
|
|
key = Column(String(50), unique=True, index=True) # pl. 'bmw_gs_specialist'
|
|
name_hu = Column(String(100))
|
|
category = Column(String(30)) # 'repair', 'fuel', 'food', 'emergency'
|
|
|
|
class ServiceExpertise(Base):
|
|
"""Kapcsolótábla a szerviz és a szakterület között."""
|
|
__tablename__ = "service_expertises"
|
|
__table_args__ = {"schema": "data"}
|
|
|
|
service_id = Column(Integer, ForeignKey("data.service_profiles.id"), primary_key=True)
|
|
expertise_id = Column(Integer, ForeignKey("data.expertise_tags.id"), primary_key=True)
|
|
|
|
# Validációs szint (0-100% - Mennyire hiteles ez a szakértelem)
|
|
validation_level = Column(Integer, default=0)
|
|
|
|
service = relationship("ServiceProfile", back_populates="expertises")
|
|
expertise = relationship("ExpertiseTag") |