claim page , auto fill field working

This commit is contained in:
2025-05-26 22:05:21 +05:30
parent be8c328d29
commit 564a9927c9
5 changed files with 742 additions and 484 deletions

View File

@@ -14,92 +14,132 @@ import { Label } from "@/components/ui/label";
import { X, Calendar as CalendarIcon } from "lucide-react"; import { X, Calendar as CalendarIcon } from "lucide-react";
import { useToast } from "@/hooks/use-toast"; import { useToast } from "@/hooks/use-toast";
import { Calendar } from "@/components/ui/calendar"; import { Calendar } from "@/components/ui/calendar";
import { Popover, PopoverContent, PopoverTrigger } from "@/components/ui/popover"; import {
Popover,
PopoverContent,
PopoverTrigger,
} from "@/components/ui/popover";
import { PatientUncheckedCreateInputObjectSchema } from "@repo/db/usedSchemas"; import { PatientUncheckedCreateInputObjectSchema } from "@repo/db/usedSchemas";
import { z } from "zod"; import { z } from "zod";
import { useQuery } from "@tanstack/react-query";
import { apiRequest } from "@/lib/queryClient";
const PatientSchema = (PatientUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any>).omit({ const PatientSchema = (
PatientUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any>
).omit({
appointments: true, appointments: true,
}); });
type Patient = z.infer<typeof PatientSchema>; type Patient = z.infer<typeof PatientSchema>;
interface ServiceLine {
procedureCode: string;
toothNumber: string;
surface: string;
quad: string;
authNo: string;
billedAmount: string;
}
interface ClaimFormProps { interface ClaimFormProps {
patientId: number; patientId?: number;
appointmentId: number; extractedData?: Partial<Patient>;
patientName: string; onSubmit: (claimData: any) => void;
onClose: () => void; onClose: () => void;
patientData?: Patient;
} }
export function ClaimForm({ export function ClaimForm({
patientId, patientId,
appointmentId, extractedData,
patientName, onSubmit,
onClose, onClose,
patientData
}: ClaimFormProps) { }: ClaimFormProps) {
const { toast } = useToast(); const { toast } = useToast();
const [patient, setPatient] = useState<Patient | null>(null);
const [loading, setLoading] = useState(false);
const [serviceDateValue, setServiceDateValue] = useState<Date>(new Date());
const [serviceDate, setServiceDate] = useState<string>(format(new Date(), 'MM/dd/yy'));
const [clinicalNotes, setClinicalNotes] = useState<string>('');
// Fetch patient data if not provided // Query patient if patientId provided
useEffect(() => { const { data: fetchedPatient, isLoading, error } = useQuery<Patient>({
if (patientData) { queryKey: ["/api/patients/", patientId],
setPatient(patientData); queryFn: async () => {
return; const res = await apiRequest("GET", `/api/patients/${patientId}`);
} if (!res.ok) throw new Error("Failed to fetch patient");
return res.json();
const fetchPatient = async () => { },
try { enabled: !!patientId,
setLoading(true);
const response = await fetch(`/api/patients/${patientId}`);
if (!response.ok) {
throw new Error("Failed to fetch patient data");
}
const data = await response.json();
setPatient(data);
} catch (error) {
console.error("Error fetching patient:", error);
toast({
title: "Error",
description: "Failed to load patient information",
variant: "destructive",
}); });
} finally {
setLoading(false); // Patient state - initialize from extractedData or null (new patient)
const [patient, setPatient] = useState<Patient | null>(
extractedData ? ({ ...extractedData } as Patient) : null
);
// Sync fetched patient when available
useEffect(() => {
if (fetchedPatient) {
setPatient(fetchedPatient);
} }
}, [fetchedPatient]);
// Service date state
const [serviceDateValue, setServiceDateValue] = useState<Date>(new Date());
const [serviceDate, setServiceDate] = useState<string>(format(new Date(), "MM/dd/yy"));
// Clinical notes state
const [clinicalNotes, setClinicalNotes] = useState<string>("");
// Doctor selection state
const [doctor, setDoctor] = useState("doctor1");
// Service lines state with one empty default line
const [serviceLines, setServiceLines] = useState<ServiceLine[]>([
{
procedureCode: "",
toothNumber: "",
surface: "",
quad: "",
authNo: "",
billedAmount: "",
},
]);
// Update a field in serviceLines at index
const updateServiceLine = (
index: number,
field: keyof ServiceLine,
value: string
) => {
setServiceLines((prev) => {
const updated = [...prev];
if (updated[index]) {
updated[index][field] = value;
}
return updated;
});
}; };
if (patientId) { // Handle patient field changes (to make inputs controlled and editable)
fetchPatient(); const updatePatientField = (field: keyof Patient, value: any) => {
} setPatient((prev) => (prev ? { ...prev, [field]: value } : null));
}, [patientId, patientData, toast]); };
// Update service date when calendar date changes // Update service date when calendar date changes
const onServiceDateChange = (date: Date | undefined) => { const onServiceDateChange = (date: Date | undefined) => {
if (date) { if (date) {
setServiceDateValue(date); setServiceDateValue(date);
setServiceDate(format(date, 'MM/dd/yy')); setServiceDate(format(date, "MM/dd/yy"));
} }
}; };
// Determine patient date of birth format // Determine patient date of birth format
const formatDOB = (dob: string | undefined) => { const formatDOB = (dob: string | undefined) => {
if (!dob) return ''; if (!dob) return "";
// If already in MM/DD/YYYY format, return as is if (/^\d{2}\/\d{2}\/\d{4}$/.test(dob)) return dob; // already MM/DD/YYYY
if (/^\d{2}\/\d{2}\/\d{4}$/.test(dob)) {
return dob;
}
// If in YYYY-MM-DD format, convert to MM/DD/YYYY if (/^\d{4}-\d{2}-\d{2}/.test(dob)) {
if (/^\d{4}-\d{2}-\d{2}$/.test(dob)) { const datePart = dob?.split("T")[0]; // safe optional chaining
const [year, month, day] = dob.split('-'); if (!datePart) return "";
const [year, month, day] = datePart.split("-");
return `${month}/${day}/${year}`; return `${month}/${day}/${year}`;
} }
@@ -110,7 +150,9 @@ export function ClaimForm({
<div className="fixed inset-0 bg-black/50 flex items-center justify-center z-50 p-4 overflow-y-auto"> <div className="fixed inset-0 bg-black/50 flex items-center justify-center z-50 p-4 overflow-y-auto">
<Card className="w-full max-w-5xl max-h-[90vh] overflow-y-auto bg-white"> <Card className="w-full max-w-5xl max-h-[90vh] overflow-y-auto bg-white">
<CardHeader className="flex flex-row items-center justify-between pb-2 border-b"> <CardHeader className="flex flex-row items-center justify-between pb-2 border-b">
<CardTitle className="text-xl font-bold">Insurance Claim Form</CardTitle> <CardTitle className="text-xl font-bold">
Insurance Claim Form
</CardTitle>
<Button variant="ghost" size="icon" onClick={onClose}> <Button variant="ghost" size="icon" onClick={onClose}>
<X className="h-4 w-4" /> <X className="h-4 w-4" />
</Button> </Button>
@@ -123,8 +165,9 @@ export function ClaimForm({
<Label htmlFor="memberId">Member ID</Label> <Label htmlFor="memberId">Member ID</Label>
<Input <Input
id="memberId" id="memberId"
value={patient?.insuranceId || ''} value={patient?.insuranceId || ""}
disabled={loading} onChange={(e) => updatePatientField("insuranceId", e.target.value)}
disabled={isLoading}
/> />
</div> </div>
<div> <div>
@@ -132,32 +175,35 @@ export function ClaimForm({
<Input <Input
id="dateOfBirth" id="dateOfBirth"
value={formatDOB(patient?.dateOfBirth)} value={formatDOB(patient?.dateOfBirth)}
disabled={loading} onChange={(e) => updatePatientField("dateOfBirth", e.target.value)}
disabled={isLoading}
/> />
</div> </div>
<div> <div>
<Label htmlFor="firstName">First Name</Label> <Label htmlFor="firstName">First Name</Label>
<Input <Input
id="firstName" id="firstName"
value={patient?.firstName || ''} value={patient?.firstName || ""}
disabled={loading} onChange={(e) => updatePatientField("firstName", e.target.value)}
disabled={isLoading}
/> />
</div> </div>
<div> <div>
<Label htmlFor="lastName">Last Name</Label> <Label htmlFor="lastName">Last Name</Label>
<Input <Input
id="lastName" id="lastName"
value={patient?.lastName || ''} value={patient?.lastName || ""}
disabled={loading} onChange={(e) => updatePatientField("lastName", e.target.value)}
disabled={isLoading}
/> />
</div> </div>
</div> </div>
{/* Clinical Notes Entry */} {/* Clinical Notes Entry */}
<div className="mb-4 flex items-center gap-2"> <div className="mb-4 flex items-center gap-2">
<Label htmlFor="clinicalNotes" className="whitespace-nowrap">Clinical Notes:</Label> <Label htmlFor="clinicalNotes" className="whitespace-nowrap">
Clinical Notes:
</Label>
<Input <Input
id="clinicalNotes" id="clinicalNotes"
className="flex-grow" className="flex-grow"
@@ -180,7 +226,7 @@ export function ClaimForm({
toast({ toast({
title: "Empty Input", title: "Empty Input",
description: "Please enter clinical notes to extract", description: "Please enter clinical notes to extract",
variant: "destructive" variant: "destructive",
}); });
} }
}} }}
@@ -191,7 +237,9 @@ export function ClaimForm({
{/* Service Lines */} {/* Service Lines */}
<div> <div>
<h3 className="text-xl font-semibold mb-2 text-center">Service Lines</h3> <h3 className="text-xl font-semibold mb-2 text-center">
Service Lines
</h3>
<div className="flex justify-end items-center mb-2"> <div className="flex justify-end items-center mb-2">
<div className="flex gap-2"> <div className="flex gap-2">
<Label className="flex items-center">Service Date</Label> <Label className="flex items-center">Service Date</Label>
@@ -214,8 +262,10 @@ export function ClaimForm({
/> />
</PopoverContent> </PopoverContent>
</Popover> </Popover>
<Label className="flex items-center ml-2">Treating Doctor</Label> <Label className="flex items-center ml-2">
<Select defaultValue="doctor1"> Treating Doctor
</Label>
<Select value={doctor} onValueChange={setDoctor}>
<SelectTrigger className="w-36"> <SelectTrigger className="w-36">
<SelectValue placeholder="Select Doctor" /> <SelectValue placeholder="Select Doctor" />
</SelectTrigger> </SelectTrigger>
@@ -227,50 +277,45 @@ export function ClaimForm({
</div> </div>
</div> </div>
<div className="grid grid-cols-6 gap-4 mb-2"> <div className="grid grid-cols-6 gap-4 mb-2 font-medium text-sm text-gray-700">
<div> <span>Procedure Code</span>
<Label htmlFor="procedureCode1">Procedure Code</Label> <span>Tooth Number</span>
<Input id="procedureCode1" placeholder="e.g. D0120" /> <span>Surface</span>
</div> <span>Quadrant</span>
<div> <span>Auth No.</span>
<Label htmlFor="toothNumber1">Tooth Number</Label> <span>Billed Amount</span>
<Input id="toothNumber1" placeholder="e.g. 14" />
</div>
<div>
<Label htmlFor="surface1">Surface</Label>
<Input id="surface1" placeholder="e.g. MOD" />
</div>
<div>
<Label htmlFor="quad1">Quad</Label>
<Select>
<SelectTrigger>
<SelectValue placeholder="Select" />
</SelectTrigger>
<SelectContent>
<SelectItem value="UR">Upper Right</SelectItem>
<SelectItem value="UL">Upper Left</SelectItem>
<SelectItem value="LR">Lower Right</SelectItem>
<SelectItem value="LL">Lower Left</SelectItem>
</SelectContent>
</Select>
</div>
<div>
<Label htmlFor="authNo1">Auth No.</Label>
<Input id="authNo1" />
</div>
<div>
<Label htmlFor="billedAmount1">Billed Amount</Label>
<Input id="billedAmount1" placeholder="$0.00" />
</div>
</div> </div>
{/* Add more service lines - simplified for clarity */} {/* Dynamic Rows */}
{[2, 3, 4, 5].map(i => ( {serviceLines.map((line, i) => (
<div key={i} className="grid grid-cols-6 gap-4 mb-2"> <div key={i} className="grid grid-cols-6 gap-4 mb-2">
<Input placeholder="Procedure Code" /> <Input
<Input placeholder="Tooth Number" /> placeholder="e.g. D0120"
<Input placeholder="Surface" /> value={line.procedureCode}
<Select> onChange={(e) =>
updateServiceLine(i, "procedureCode", e.target.value)
}
/>
<Input
placeholder="e.g. 14"
value={line.toothNumber}
onChange={(e) =>
updateServiceLine(i, "toothNumber", e.target.value)
}
/>
<Input
placeholder="e.g. MOD"
value={line.surface}
onChange={(e) =>
updateServiceLine(i, "surface", e.target.value)
}
/>
<Select
value={line.quad}
onValueChange={(value) =>
updateServiceLine(i, "quad", value)
}
>
<SelectTrigger> <SelectTrigger>
<SelectValue placeholder="Select" /> <SelectValue placeholder="Select" />
</SelectTrigger> </SelectTrigger>
@@ -281,10 +326,40 @@ export function ClaimForm({
<SelectItem value="LL">Lower Left</SelectItem> <SelectItem value="LL">Lower Left</SelectItem>
</SelectContent> </SelectContent>
</Select> </Select>
<Input placeholder="Auth No." /> <Input
<Input placeholder="$0.00" /> placeholder="e.g. 123456"
value={line.authNo}
onChange={(e) =>
updateServiceLine(i, "authNo", e.target.value)
}
/>
<Input
placeholder="$0.00"
value={line.billedAmount}
onChange={(e) =>
updateServiceLine(i, "billedAmount", e.target.value)
}
/>
</div> </div>
))} ))}
<Button
variant="outline"
onClick={() =>
setServiceLines([
...serviceLines,
{
procedureCode: "",
toothNumber: "",
surface: "",
quad: "",
authNo: "",
billedAmount: "",
},
])
}
>
+ Add Service Line
</Button>
<div className="flex gap-2 mt-4"> <div className="flex gap-2 mt-4">
<Button variant="outline">Child Prophy Codes</Button> <Button variant="outline">Child Prophy Codes</Button>
@@ -295,7 +370,10 @@ export function ClaimForm({
{/* File Upload Section */} {/* File Upload Section */}
<div className="mt-4 bg-gray-100 p-3 rounded-md"> <div className="mt-4 bg-gray-100 p-3 rounded-md">
<p className="text-sm text-gray-500 mb-2">Please note that file types with 4 or more character extensions are not allowed, such as .DOCX, .PPTX, or .XLSX</p> <p className="text-sm text-gray-500 mb-2">
Please note that file types with 4 or more character
extensions are not allowed, such as .DOCX, .PPTX, or .XLSX
</p>
<div className="flex justify-between items-center"> <div className="flex justify-between items-center">
<div className="flex items-center gap-2"> <div className="flex items-center gap-2">
<Label>Select Field:</Label> <Label>Select Field:</Label>
@@ -304,7 +382,9 @@ export function ClaimForm({
<SelectValue /> <SelectValue />
</SelectTrigger> </SelectTrigger>
<SelectContent> <SelectContent>
<SelectItem value="supportData">Support Data for Claim</SelectItem> <SelectItem value="supportData">
Support Data for Claim
</SelectItem>
<SelectItem value="xrays">X-Ray Images</SelectItem> <SelectItem value="xrays">X-Ray Images</SelectItem>
<SelectItem value="photos">Clinical Photos</SelectItem> <SelectItem value="photos">Clinical Photos</SelectItem>
</SelectContent> </SelectContent>
@@ -317,15 +397,21 @@ export function ClaimForm({
{/* Insurance Carriers */} {/* Insurance Carriers */}
<div> <div>
<h3 className="text-xl font-semibold mb-4 text-center">Insurance Carriers</h3> <h3 className="text-xl font-semibold mb-4 text-center">
Insurance Carriers
</h3>
<div className="flex justify-between"> <div className="flex justify-between">
<Button className="w-32" variant="outline">Delta MA</Button> <Button className="w-32" variant="outline">
<Button className="w-32" variant="outline">MH</Button> Delta MA
<Button className="w-32" variant="outline">Others</Button> </Button>
<Button className="w-32" variant="outline">
MH
</Button>
<Button className="w-32" variant="outline">
Others
</Button>
</div> </div>
</div> </div>
</div> </div>
</CardContent> </CardContent>
</Card> </Card>

View File

@@ -1,16 +1,20 @@
import { useState, useEffect } from "react"; import { useState, useEffect } from "react";
import { useQuery } from "@tanstack/react-query"; import { useMutation, useQuery } from "@tanstack/react-query";
import { TopAppBar } from "@/components/layout/top-app-bar"; import { TopAppBar } from "@/components/layout/top-app-bar";
import { Sidebar } from "@/components/layout/sidebar"; import { Sidebar } from "@/components/layout/sidebar";
import { Card, CardHeader, CardTitle, CardContent } from "@/components/ui/card"; import { Card, CardHeader, CardTitle, CardContent } from "@/components/ui/card";
import { ClaimForm } from "@/components/claims/claim-form"; import { ClaimForm } from "@/components/claims/claim-form";
import { useToast } from "@/hooks/use-toast"; import { useToast } from "@/hooks/use-toast";
import { useAuth } from "@/hooks/use-auth"; import { useAuth } from "@/hooks/use-auth";
import { PatientUncheckedCreateInputObjectSchema, AppointmentUncheckedCreateInputObjectSchema } from "@repo/db/usedSchemas"; import {
import { Plus, FileCheck, CheckCircle, Clock, AlertCircle } from "lucide-react"; PatientUncheckedCreateInputObjectSchema,
AppointmentUncheckedCreateInputObjectSchema,
} from "@repo/db/usedSchemas";
import { FileCheck, CheckCircle, Clock, AlertCircle } from "lucide-react";
import { format } from "date-fns"; import { format } from "date-fns";
import { z } from "zod"; import { z } from "zod";
import { apiRequest } from "@/lib/queryClient"; import { apiRequest, queryClient } from "@/lib/queryClient";
import { useLocation } from "wouter";
//creating types out of schema auto generated. //creating types out of schema auto generated.
type Appointment = z.infer<typeof AppointmentUncheckedCreateInputObjectSchema>; type Appointment = z.infer<typeof AppointmentUncheckedCreateInputObjectSchema>;
@@ -60,15 +64,33 @@ const updatePatientSchema = (
type UpdatePatient = z.infer<typeof updatePatientSchema>; type UpdatePatient = z.infer<typeof updatePatientSchema>;
function getQueryParams() {
const search = window.location.search;
const params = new URLSearchParams(search);
return {
name: params.get("name") || "",
memberId: params.get("memberId") || "",
dob: params.get("dob") || "",
};
}
export default function ClaimsPage() { export default function ClaimsPage() {
const [isMobileMenuOpen, setIsMobileMenuOpen] = useState(false); const [isMobileMenuOpen, setIsMobileMenuOpen] = useState(false);
const [isClaimFormOpen, setIsClaimFormOpen] = useState(false); const [isClaimFormOpen, setIsClaimFormOpen] = useState(false);
const [selectedPatient, setSelectedPatient] = useState<number | null>(null); const [selectedPatient, setSelectedPatient] = useState<number | null>(null);
const [selectedAppointment, setSelectedAppointment] = useState<number | null>(null); const [selectedAppointment, setSelectedAppointment] = useState<number | null>(
null
);
const { toast } = useToast(); const { toast } = useToast();
const { user } = useAuth(); const { user } = useAuth();
const [claimFormData, setClaimFormData] = useState<any>({
patientId: null,
carrier: "",
doctorName: "",
serviceDate: "",
clinicalNotes: "",
serviceLines: [],
});
// Fetch patients // Fetch patients
const { data: patients = [], isLoading: isLoadingPatients } = useQuery< const { data: patients = [], isLoading: isLoadingPatients } = useQuery<
@@ -95,6 +117,75 @@ export default function ClaimsPage() {
enabled: !!user, enabled: !!user,
}); });
// Add patient mutation
const addPatientMutation = useMutation({
mutationFn: async (patient: InsertPatient) => {
const res = await apiRequest("POST", "/api/patients/", patient);
return res.json();
},
onSuccess: (newPatient) => {
queryClient.invalidateQueries({ queryKey: ["/api/patients/"] });
toast({
title: "Success",
description: "Patient added successfully!",
variant: "default",
});
},
onError: (error) => {
toast({
title: "Error",
description: `Failed to add patient: ${error.message}`,
variant: "destructive",
});
},
});
// Create appointment mutation
const createAppointmentMutation = useMutation({
mutationFn: async (appointment: InsertAppointment) => {
const res = await apiRequest("POST", "/api/appointments/", appointment);
return await res.json();
},
onSuccess: () => {
toast({
title: "Success",
description: "Appointment created successfully.",
});
// Invalidate both appointments and patients queries
queryClient.invalidateQueries({ queryKey: ["/api/appointments/all"] });
queryClient.invalidateQueries({ queryKey: ["/api/patients/"] });
},
onError: (error: Error) => {
toast({
title: "Error",
description: `Failed to create appointment: ${error.message}`,
variant: "destructive",
});
},
});
const createClaimMutation = useMutation({
mutationFn: async (claimData: any) => {
const res = await apiRequest("POST", "/api/claims/", claimData);
return res.json();
},
onSuccess: () => {
toast({
title: "Claim submitted successfully",
variant: "default",
});
closeClaim();
// optionally refetch claims or appointments if needed
},
onError: (error: any) => {
toast({
title: "Error submitting claim",
description: error.message,
variant: "destructive",
});
},
});
const toggleMobileMenu = () => { const toggleMobileMenu = () => {
setIsMobileMenuOpen(!isMobileMenuOpen); setIsMobileMenuOpen(!isMobileMenuOpen);
}; };
@@ -111,34 +202,94 @@ export default function ClaimsPage() {
setSelectedAppointment(null); setSelectedAppointment(null);
}; };
const { name, memberId, dob } = getQueryParams();
const prefillClaimForm = (patient: Patient) => {
setClaimFormData((prev: any) => ({
...prev,
patientId: patient.id,
carrier: patient.insuranceProvider || "",
doctorName: user?.username || "",
serviceDate: new Date().toISOString().slice(0, 10),
clinicalNotes: "",
serviceLines: [],
}));
};
useEffect(() => {
if (memberId && dob) {
const matchingPatient = patients.find(
(p) =>
p.insuranceId?.toLowerCase().trim() === memberId.toLowerCase().trim()
);
if (matchingPatient) {
setSelectedPatient(matchingPatient.id);
prefillClaimForm(matchingPatient);
setIsClaimFormOpen(true);
} else {
const [firstName, ...rest] = name.trim().split(" ");
const lastName = rest.join(" ") || "";
const newPatient: InsertPatient = {
firstName,
lastName,
dateOfBirth: new Date(dob),
gender: "unknown",
phone: "000-000-0000",
userId: user?.id ?? 1,
insuranceId: memberId,
};
addPatientMutation.mutate(newPatient, {
onSuccess: (created) => {
setSelectedPatient(created.id);
prefillClaimForm(created);
setIsClaimFormOpen(true);
},
});
}
}
}, [memberId, dob, patients]);
function handleClaimSubmit(claimData: any) {
createClaimMutation.mutate(claimData);
}
// Get unique patients with appointments // Get unique patients with appointments
const patientsWithAppointments = appointments.reduce((acc, appointment) => { const patientsWithAppointments = appointments.reduce(
if (!acc.some(item => item.patientId === appointment.patientId)) { (acc, appointment) => {
const patient = patients.find(p => p.id === appointment.patientId); if (!acc.some((item) => item.patientId === appointment.patientId)) {
const patient = patients.find((p) => p.id === appointment.patientId);
if (patient) { if (patient) {
acc.push({ acc.push({
patientId: patient.id, patientId: patient.id,
patientName: `${patient.firstName} ${patient.lastName}`, patientName: `${patient.firstName} ${patient.lastName}`,
appointmentId: Number(appointment.id), appointmentId: Number(appointment.id),
insuranceProvider: patient.insuranceProvider || 'N/A', insuranceProvider: patient.insuranceProvider || "N/A",
insuranceId: patient.insuranceId || 'N/A', insuranceId: patient.insuranceId || "N/A",
lastAppointment: String(appointment.date) lastAppointment: String(appointment.date),
}); });
} }
} }
return acc; return acc;
}, [] as Array<{ },
[] as Array<{
patientId: number; patientId: number;
patientName: string; patientName: string;
appointmentId: number; appointmentId: number;
insuranceProvider: string; insuranceProvider: string;
insuranceId: string; insuranceId: string;
lastAppointment: string; lastAppointment: string;
}>); }>
);
return ( return (
<div className="flex h-screen overflow-hidden bg-gray-100"> <div className="flex h-screen overflow-hidden bg-gray-100">
<Sidebar isMobileOpen={isMobileMenuOpen} setIsMobileOpen={setIsMobileMenuOpen} /> <Sidebar
isMobileOpen={isMobileMenuOpen}
setIsMobileOpen={setIsMobileMenuOpen}
/>
<div className="flex-1 flex flex-col overflow-hidden"> <div className="flex-1 flex flex-col overflow-hidden">
<TopAppBar toggleMobileMenu={toggleMobileMenu} /> <TopAppBar toggleMobileMenu={toggleMobileMenu} />
@@ -146,8 +297,12 @@ export default function ClaimsPage() {
<main className="flex-1 overflow-y-auto p-4"> <main className="flex-1 overflow-y-auto p-4">
{/* Header */} {/* Header */}
<div className="mb-6"> <div className="mb-6">
<h1 className="text-2xl font-semibold text-gray-800">Insurance Claims</h1> <h1 className="text-2xl font-semibold text-gray-800">
<p className="text-gray-600">Manage and submit insurance claims for patients</p> Insurance Claims
</h1>
<p className="text-gray-600">
Manage and submit insurance claims for patients
</p>
</div> </div>
{/* New Claims Section */} {/* New Claims Section */}
@@ -158,16 +313,22 @@ export default function ClaimsPage() {
onClick={() => { onClick={() => {
if (patientsWithAppointments.length > 0) { if (patientsWithAppointments.length > 0) {
const firstPatient = patientsWithAppointments[0]; const firstPatient = patientsWithAppointments[0];
handleNewClaim(Number(firstPatient?.patientId), Number(firstPatient?.appointmentId)); handleNewClaim(
Number(firstPatient?.patientId),
Number(firstPatient?.appointmentId)
);
} else { } else {
toast({ toast({
title: "No patients available", title: "No patients available",
description: "There are no patients with appointments to create a claim", description:
"There are no patients with appointments to create a claim",
}); });
} }
}} }}
> >
<h2 className="text-xl font-medium text-gray-800 group-hover:text-primary">New Claims</h2> <h2 className="text-xl font-medium text-gray-800 group-hover:text-primary">
New Claims
</h2>
<div className="ml-2 text-primary"> <div className="ml-2 text-primary">
<FileCheck className="h-5 w-5" /> <FileCheck className="h-5 w-5" />
</div> </div>
@@ -180,31 +341,43 @@ export default function ClaimsPage() {
</CardHeader> </CardHeader>
<CardContent> <CardContent>
{isLoadingPatients || isLoadingAppointments ? ( {isLoadingPatients || isLoadingAppointments ? (
<div className="text-center py-4">Loading patients data...</div> <div className="text-center py-4">
Loading patients data...
</div>
) : patientsWithAppointments.length > 0 ? ( ) : patientsWithAppointments.length > 0 ? (
<div className="divide-y"> <div className="divide-y">
{patientsWithAppointments.map((item) => ( {patientsWithAppointments.map((item) => (
<div <div
key={item.patientId} key={item.patientId}
className="py-4 flex items-center justify-between cursor-pointer hover:bg-gray-50" className="py-4 flex items-center justify-between cursor-pointer hover:bg-gray-50"
onClick={() => handleNewClaim(item.patientId, item.appointmentId)} onClick={() =>
handleNewClaim(item.patientId, item.appointmentId)
}
> >
<div> <div>
<h3 className="font-medium">{item.patientName}</h3> <h3 className="font-medium">{item.patientName}</h3>
<div className="text-sm text-gray-500"> <div className="text-sm text-gray-500">
<span>Insurance: {item.insuranceProvider === 'delta' <span>
? 'Delta Dental' Insurance:{" "}
: item.insuranceProvider === 'metlife' {item.insuranceProvider === "delta"
? 'MetLife' ? "Delta Dental"
: item.insuranceProvider === 'cigna' : item.insuranceProvider === "metlife"
? 'Cigna' ? "MetLife"
: item.insuranceProvider === 'aetna' : item.insuranceProvider === "cigna"
? 'Aetna' ? "Cigna"
: item.insuranceProvider}</span> : item.insuranceProvider === "aetna"
? "Aetna"
: item.insuranceProvider}
</span>
<span className="mx-2"></span> <span className="mx-2"></span>
<span>ID: {item.insuranceId}</span> <span>ID: {item.insuranceId}</span>
<span className="mx-2"></span> <span className="mx-2"></span>
<span>Last Visit: {new Date(item.lastAppointment).toLocaleDateString()}</span> <span>
Last Visit:{" "}
{new Date(
item.lastAppointment
).toLocaleDateString()}
</span>
</div> </div>
</div> </div>
<div className="text-primary"> <div className="text-primary">
@@ -216,98 +389,28 @@ export default function ClaimsPage() {
) : ( ) : (
<div className="text-center py-8"> <div className="text-center py-8">
<FileCheck className="h-12 w-12 mx-auto text-gray-400 mb-3" /> <FileCheck className="h-12 w-12 mx-auto text-gray-400 mb-3" />
<h3 className="text-lg font-medium">No eligible patients for claims</h3> <h3 className="text-lg font-medium">
No eligible patients for claims
</h3>
<p className="text-gray-500 mt-1"> <p className="text-gray-500 mt-1">
Patients with appointments will appear here for insurance claim processing Patients with appointments will appear here for insurance
claim processing
</p> </p>
</div> </div>
)} )}
</CardContent> </CardContent>
</Card> </Card>
</div> </div>
{/* Old Claims Section */}
<div>
<div className="flex items-center justify-between mb-4">
<h2 className="text-xl font-medium text-gray-800">Old Claims</h2>
</div>
<Card>
<CardHeader className="pb-2">
<CardTitle>Submitted Claims History</CardTitle>
</CardHeader>
<CardContent>
{/* Sample Old Claims */}
<div className="divide-y">
{patientsWithAppointments.slice(0, 3).map((item, index) => (
<div
key={`old-claim-${index}`}
className="py-4 flex items-center justify-between cursor-pointer hover:bg-gray-50"
onClick={() => toast({
title: "Claim Details",
description: `Viewing details for claim #${2000 + index}`
})}
>
<div>
<h3 className="font-medium">{item.patientName}</h3>
<div className="text-sm text-gray-500">
<span>Claim #: {2000 + index}</span>
<span className="mx-2"></span>
<span>Submitted: {format(new Date(new Date().setDate(new Date().getDate() - (index * 15))), 'MMM dd, yyyy')}</span>
<span className="mx-2"></span>
<span>Amount: ${(Math.floor(Math.random() * 500) + 100).toFixed(2)}</span>
</div>
</div>
<div className="flex items-center gap-2">
<span className={`px-2 py-1 text-xs font-medium rounded-full ${
index === 0 ? 'bg-yellow-100 text-yellow-800' :
index === 1 ? 'bg-green-100 text-green-800' :
'bg-blue-100 text-blue-800'
}`}>
{index === 0 ? (
<span className="flex items-center">
<Clock className="h-3 w-3 mr-1" />
Pending
</span>
) : index === 1 ? (
<span className="flex items-center">
<CheckCircle className="h-3 w-3 mr-1" />
Approved
</span>
) : (
<span className="flex items-center">
<AlertCircle className="h-3 w-3 mr-1" />
Review
</span>
)}
</span>
</div>
</div>
))}
{patientsWithAppointments.length === 0 && (
<div className="text-center py-8">
<Clock className="h-12 w-12 mx-auto text-gray-400 mb-3" />
<h3 className="text-lg font-medium">No claim history</h3>
<p className="text-gray-500 mt-1">
Submitted insurance claims will appear here
</p>
</div>
)}
</div>
</CardContent>
</Card>
</div>
</main> </main>
</div> </div>
{/* Claim Form Modal */} {/* Claim Form Modal */}
{isClaimFormOpen && selectedPatient !== null && selectedAppointment !== null && ( {isClaimFormOpen && selectedPatient !== null && (
<ClaimForm <ClaimForm
patientId={selectedPatient} patientId={selectedPatient}
appointmentId={selectedAppointment}
patientName="" // Will be loaded by the component
onClose={closeClaim} onClose={closeClaim}
extractedData={claimFormData}
onSubmit={handleClaimSubmit}
/> />
)} )}
</div> </div>

View File

@@ -1,6 +1,6 @@
import { useState, useRef } from "react"; import { useState, useRef } from "react";
import { useQuery, useMutation } from "@tanstack/react-query"; import { useQuery, useMutation } from "@tanstack/react-query";
import { format, parse, parseISO } from "date-fns"; import { format, parse, isValid, parseISO } from "date-fns";
import { TopAppBar } from "@/components/layout/top-app-bar"; import { TopAppBar } from "@/components/layout/top-app-bar";
import { Sidebar } from "@/components/layout/sidebar"; import { Sidebar } from "@/components/layout/sidebar";
import { StatCard } from "@/components/ui/stat-card"; import { StatCard } from "@/components/ui/stat-card";
@@ -14,8 +14,8 @@ import { useAuth } from "@/hooks/use-auth";
import { apiRequest, queryClient } from "@/lib/queryClient"; import { apiRequest, queryClient } from "@/lib/queryClient";
import { AppointmentsByDay } from "@/components/analytics/appointments-by-day"; import { AppointmentsByDay } from "@/components/analytics/appointments-by-day";
import { NewPatients } from "@/components/analytics/new-patients"; import { NewPatients } from "@/components/analytics/new-patients";
import { AppointmentUncheckedCreateInputObjectSchema } from '@repo/db/usedSchemas'; import { AppointmentUncheckedCreateInputObjectSchema } from "@repo/db/usedSchemas";
import { PatientUncheckedCreateInputObjectSchema } from '@repo/db/usedSchemas'; import { PatientUncheckedCreateInputObjectSchema } from "@repo/db/usedSchemas";
import { import {
Users, Users,
@@ -630,15 +630,26 @@ export default function Dashboard() {
</h4> </h4>
<div className="mt-2 space-y-2"> <div className="mt-2 space-y-2">
<p> <p>
<span className="text-gray-500">Date of Birth:</span>{" "} {currentPatient.dateOfBirth ? (
<span className="text-gray-500">Date of Birth:</span>{" "} (() => {
{format( const dobDate = parseISO(currentPatient.dateOfBirth);
parse( return isValid(dobDate) ? (
currentPatient.dateOfBirth, <span>
"yyyy-MM-dd", <span className="text-gray-500">
new Date() Date of Birth:
), </span>{" "}
"PPP" {format(dobDate, "PPP")}
</span>
) : (
<span className="text-gray-500">
Date of Birth: N/A
</span>
);
})()
) : (
<span className="text-gray-500">
Date of Birth: N/A
</span>
)} )}
</p> </p>
<p> <p>

View File

@@ -32,6 +32,7 @@ import {
DialogTitle, DialogTitle,
} from "@/components/ui/dialog"; } from "@/components/ui/dialog";
import useExtractPdfData from "@/hooks/use-extractPdfData"; import useExtractPdfData from "@/hooks/use-extractPdfData";
import { useLocation } from "wouter";
const PatientSchema = ( const PatientSchema = (
PatientUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any> PatientUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any>
@@ -86,9 +87,13 @@ export default function PatientsPage() {
const [uploadedFile, setUploadedFile] = useState<File | null>(null); const [uploadedFile, setUploadedFile] = useState<File | null>(null);
const [isUploading, setIsUploading] = useState(false); const [isUploading, setIsUploading] = useState(false);
const [isExtracting, setIsExtracting] = useState(false); const [isExtracting, setIsExtracting] = useState(false);
const [formData, setFormData] = useState({ PatientName: "", PatientMemberId: "", PatientDob:"" }); const [formData, setFormData] = useState({
PatientName: "",
PatientMemberId: "",
PatientDob: "",
});
const { mutate: extractPdf } = useExtractPdfData(); const { mutate: extractPdf } = useExtractPdfData();
const [location, navigate] = useLocation();
// Fetch patients // Fetch patients
const { const {
@@ -244,7 +249,10 @@ export default function PatientsPage() {
} }
}; };
const isLoading = isLoadingPatients || addPatientMutation.isPending || updatePatientMutation.isPending; const isLoading =
isLoadingPatients ||
addPatientMutation.isPending ||
updatePatientMutation.isPending;
// Search handling // Search handling
const handleSearch = (criteria: SearchCriteria) => { const handleSearch = (criteria: SearchCriteria) => {
@@ -291,7 +299,6 @@ export default function PatientsPage() {
}); });
}, [patients, searchCriteria]); }, [patients, searchCriteria]);
// File upload handling // File upload handling
const handleFileUpload = (file: File) => { const handleFileUpload = (file: File) => {
setIsUploading(true); setIsUploading(true);
@@ -327,10 +334,17 @@ export default function PatientsPage() {
variant: "default", variant: "default",
}); });
setFormData({ PatientName: data.name || "", PatientMemberId: data.memberId || "", PatientDob: data.dob || ""}); const params = new URLSearchParams({
}, name: data.name,
memberId: data.memberId,
dob: data.dob,
}); });
navigate(
`/claims?name=${encodeURIComponent(data.name)}&memberId=${data.memberId}&dob=${data.dob}`
);
},
});
}; };
return ( return (
@@ -462,7 +476,10 @@ export default function PatientsPage() {
</Card> </Card>
{/* View Patient Modal */} {/* View Patient Modal */}
<Dialog open={isViewPatientOpen} onOpenChange={setIsViewPatientOpen}> <Dialog
open={isViewPatientOpen}
onOpenChange={setIsViewPatientOpen}
>
<DialogContent className="sm:max-w-[600px]"> <DialogContent className="sm:max-w-[600px]">
<DialogHeader> <DialogHeader>
<DialogTitle>Patient Details</DialogTitle> <DialogTitle>Patient Details</DialogTitle>
@@ -483,7 +500,8 @@ export default function PatientsPage() {
{currentPatient.firstName} {currentPatient.lastName} {currentPatient.firstName} {currentPatient.lastName}
</h3> </h3>
<p className="text-gray-500"> <p className="text-gray-500">
Patient ID: {currentPatient.id.toString().padStart(4, "0")} Patient ID:{" "}
{currentPatient.id.toString().padStart(4, "0")}
</p> </p>
</div> </div>
</div> </div>
@@ -495,7 +513,9 @@ export default function PatientsPage() {
</h4> </h4>
<div className="mt-2 space-y-2"> <div className="mt-2 space-y-2">
<p> <p>
<span className="text-gray-500">Date of Birth:</span>{" "} <span className="text-gray-500">
Date of Birth:
</span>{" "}
{new Date( {new Date(
currentPatient.dateOfBirth currentPatient.dateOfBirth
).toLocaleDateString()} ).toLocaleDateString()}
@@ -539,7 +559,8 @@ export default function PatientsPage() {
{currentPatient.address ? ( {currentPatient.address ? (
<> <>
{currentPatient.address} {currentPatient.address}
{currentPatient.city && `, ${currentPatient.city}`} {currentPatient.city &&
`, ${currentPatient.city}`}
{currentPatient.zipCode && {currentPatient.zipCode &&
` ${currentPatient.zipCode}`} ` ${currentPatient.zipCode}`}
</> </>
@@ -562,7 +583,8 @@ export default function PatientsPage() {
? "MetLife" ? "MetLife"
: currentPatient.insuranceProvider === "cigna" : currentPatient.insuranceProvider === "cigna"
? "Cigna" ? "Cigna"
: currentPatient.insuranceProvider === "aetna" : currentPatient.insuranceProvider ===
"aetna"
? "Aetna" ? "Aetna"
: currentPatient.insuranceProvider : currentPatient.insuranceProvider
: "N/A"} : "N/A"}
@@ -576,7 +598,9 @@ export default function PatientsPage() {
{currentPatient.groupNumber || "N/A"} {currentPatient.groupNumber || "N/A"}
</p> </p>
<p> <p>
<span className="text-gray-500">Policy Holder:</span>{" "} <span className="text-gray-500">
Policy Holder:
</span>{" "}
{currentPatient.policyHolder || "Self"} {currentPatient.policyHolder || "Self"}
</p> </p>
</div> </div>
@@ -592,8 +616,11 @@ export default function PatientsPage() {
{currentPatient.allergies || "None reported"} {currentPatient.allergies || "None reported"}
</p> </p>
<p> <p>
<span className="text-gray-500">Medical Conditions:</span>{" "} <span className="text-gray-500">
{currentPatient.medicalConditions || "None reported"} Medical Conditions:
</span>{" "}
{currentPatient.medicalConditions ||
"None reported"}
</p> </p>
</div> </div>
</div> </div>
@@ -620,7 +647,6 @@ export default function PatientsPage() {
</DialogContent> </DialogContent>
</Dialog> </Dialog>
{/* Add/Edit Patient Modal */} {/* Add/Edit Patient Modal */}
<AddPatientModal <AddPatientModal
ref={addPatientModalRef} ref={addPatientModalRef}

View File

@@ -25,6 +25,7 @@ model User {
password String password String
patients Patient[] patients Patient[]
appointments Appointment[] appointments Appointment[]
claims Claim[]
} }
model Patient { model Patient {
@@ -49,6 +50,7 @@ model Patient {
createdAt DateTime @default(now()) createdAt DateTime @default(now())
user User @relation(fields: [userId], references: [id]) user User @relation(fields: [userId], references: [id])
appointments Appointment[] appointments Appointment[]
claims Claim[]
} }
model Appointment { model Appointment {
@@ -68,6 +70,7 @@ model Appointment {
patient Patient @relation(fields: [patientId], references: [id]) patient Patient @relation(fields: [patientId], references: [id])
user User @relation(fields: [userId], references: [id]) user User @relation(fields: [userId], references: [id])
staff Staff? @relation(fields: [staffId], references: [id]) staff Staff? @relation(fields: [staffId], references: [id])
claims Claim[]
} }
model Staff { model Staff {
@@ -79,3 +82,32 @@ model Staff {
createdAt DateTime @default(now()) createdAt DateTime @default(now())
appointments Appointment[] appointments Appointment[]
} }
model Claim {
id Int @id @default(autoincrement())
patientId Int
appointmentId Int
clinicalNotes String
serviceDate DateTime
doctorName String
carrier String // e.g., "Delta MA"
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
patient Patient @relation(fields: [patientId], references: [id])
appointment Appointment @relation(fields: [appointmentId], references: [id])
serviceLines ServiceLine[]
User User? @relation(fields: [userId], references: [id])
userId Int?
}
model ServiceLine {
id Int @id @default(autoincrement())
claimId Int
procedureCode String
toothNumber String?
surface String?
quadrant String?
authNumber String?
billedAmount Float
claim Claim @relation(fields: [claimId], references: [id])
}