visus-plus/api/app/application/appointments_repository.py

75 lines
2.6 KiB
Python

from typing import Sequence, Optional
from sqlalchemy import select, desc
from sqlalchemy.ext.asyncio import AsyncSession
from sqlalchemy.orm import joinedload
from app.domain.models import Appointment
class AppointmentsRepository:
def __init__(self, db: AsyncSession):
self.db = db
async def get_all(self) -> Sequence[Appointment]:
stmt = (
select(Appointment)
.options(joinedload(Appointment.type))
.options(joinedload(Appointment.patient))
.options(joinedload(Appointment.doctor))
.order_by(desc(Appointment.appointment_datetime))
)
result = await self.db.execute(stmt)
return result.scalars().all()
async def get_by_doctor_id(self, doctor_id: int) -> Sequence[Appointment]:
stmt = (
select(Appointment)
.options(joinedload(Appointment.type))
.options(joinedload(Appointment.patient))
.options(joinedload(Appointment.doctor))
.filter_by(doctor_id=doctor_id)
.order_by(desc(Appointment.appointment_datetime))
)
result = await self.db.execute(stmt)
return result.scalars().all()
async def get_by_patient_id(self, patient_id: int) -> Sequence[Appointment]:
stmt = (
select(Appointment)
.options(joinedload(Appointment.type))
.options(joinedload(Appointment.patient))
.options(joinedload(Appointment.doctor))
.filter_by(patient_id=patient_id)
.order_by(desc(Appointment.appointment_datetime))
)
result = await self.db.execute(stmt)
return result.scalars().all()
async def get_by_id(self, appointment_id: int) -> Optional[Appointment]:
stmt = (
select(Appointment)
.options(joinedload(Appointment.type))
.options(joinedload(Appointment.patient))
.options(joinedload(Appointment.doctor))
.filter_by(id=appointment_id)
)
result = await self.db.execute(stmt)
return result.scalars().first()
async def create(self, appointment: Appointment) -> Appointment:
self.db.add(appointment)
await self.db.commit()
await self.db.refresh(appointment)
return appointment
async def update(self, appointment: Appointment) -> Appointment:
await self.db.merge(appointment)
await self.db.commit()
return appointment
async def delete(self, appointment) -> Appointment:
await self.db.delete(appointment)
await self.db.commit()
return appointment