65 lines
1.8 KiB
TypeScript
65 lines
1.8 KiB
TypeScript
import { DashboardLayout } from "@/components/layout/dashboard-layout";
|
|
import { DentistPatientsTable } from "@/components/dentist/patients-table";
|
|
import { requireDentist } from "@/lib/auth-session/auth-server";
|
|
import { safeFindManyAppointments } from "@/lib/utils/appointment-helpers";
|
|
import type { Metadata } from "next";
|
|
|
|
export const metadata: Metadata = {
|
|
title: "Patient Records",
|
|
};
|
|
|
|
// Force dynamic rendering since this page uses authentication (headers)
|
|
export const dynamic = "force-dynamic";
|
|
|
|
export default async function DentistPatientsPage() {
|
|
const { user } = await requireDentist();
|
|
|
|
// Get all unique patients who have appointments with this dentist
|
|
// Use safe find to filter out orphaned appointments
|
|
const appointments = await safeFindManyAppointments({
|
|
take: 200, // Limit to prevent excessive data loading
|
|
where: {
|
|
dentistId: user.id,
|
|
},
|
|
include: {
|
|
patient: true,
|
|
service: true,
|
|
},
|
|
orderBy: {
|
|
date: "desc",
|
|
},
|
|
});
|
|
|
|
// Group by patient
|
|
const patientsMap = new Map();
|
|
appointments.forEach((apt) => {
|
|
if (!patientsMap.has(apt.patient.id)) {
|
|
patientsMap.set(apt.patient.id, {
|
|
...apt.patient,
|
|
appointments: [],
|
|
});
|
|
}
|
|
patientsMap.get(apt.patient.id).appointments.push(apt);
|
|
});
|
|
|
|
const patients = Array.from(patientsMap.values());
|
|
|
|
return (
|
|
<DashboardLayout
|
|
user={{ ...user, role: user.role || "dentist" }}
|
|
role="dentist"
|
|
>
|
|
<div className="flex flex-col gap-4 py-4 md:gap-6 md:py-6 px-4 lg:px-6">
|
|
<div>
|
|
<h1 className="text-3xl font-bold">Patient Records</h1>
|
|
<p className="text-muted-foreground">
|
|
View your patients' information and history
|
|
</p>
|
|
</div>
|
|
|
|
<DentistPatientsTable patients={patients} />
|
|
</div>
|
|
</DashboardLayout>
|
|
);
|
|
}
|