appointment creation fixed
This commit is contained in:
@@ -172,7 +172,7 @@ router.get("/appointments/recent", async (req: Request, res: Response) => {
|
|||||||
|
|
||||||
// Create a new appointment
|
// Create a new appointment
|
||||||
router.post(
|
router.post(
|
||||||
"/",
|
"/upsert",
|
||||||
|
|
||||||
async (req: Request, res: Response): Promise<any> => {
|
async (req: Request, res: Response): Promise<any> => {
|
||||||
try {
|
try {
|
||||||
@@ -182,53 +182,55 @@ router.post(
|
|||||||
userId: req.user!.id,
|
userId: req.user!.id,
|
||||||
});
|
});
|
||||||
|
|
||||||
// Verify patient exists and belongs to user
|
const userId = req.user!.id;
|
||||||
|
|
||||||
|
// 1. Verify patient exists and belongs to user
|
||||||
const patient = await storage.getPatient(appointmentData.patientId);
|
const patient = await storage.getPatient(appointmentData.patientId);
|
||||||
if (!patient) {
|
if (!patient) {
|
||||||
console.log("Patient not found:", appointmentData.patientId);
|
|
||||||
return res.status(404).json({ message: "Patient not found" });
|
return res.status(404).json({ message: "Patient not found" });
|
||||||
}
|
}
|
||||||
|
|
||||||
if (patient.userId !== req.user!.id) {
|
if (patient.userId !== userId) {
|
||||||
console.log(
|
return res.status(403).json({
|
||||||
"Patient belongs to another user. Patient userId:",
|
message: "Forbidden, You are not the user who created this patient.",
|
||||||
patient.userId,
|
|
||||||
"Request userId:",
|
|
||||||
req.user!.id
|
|
||||||
);
|
|
||||||
return res.status(403).json({ message: "Forbidden" });
|
|
||||||
}
|
|
||||||
|
|
||||||
// Check if there's already an appointment at this time slot
|
|
||||||
const existingAppointments = await storage.getAppointmentsByUserId(
|
|
||||||
req.user!.id
|
|
||||||
);
|
|
||||||
const conflictingAppointment = existingAppointments.find(
|
|
||||||
(apt) =>
|
|
||||||
apt.date === appointmentData.date &&
|
|
||||||
apt.startTime === appointmentData.startTime &&
|
|
||||||
apt.notes?.includes(
|
|
||||||
appointmentData.notes.split("Appointment with ")[1]
|
|
||||||
)
|
|
||||||
);
|
|
||||||
|
|
||||||
if (conflictingAppointment) {
|
|
||||||
console.log(
|
|
||||||
"Time slot already booked:",
|
|
||||||
appointmentData.date,
|
|
||||||
appointmentData.startTime
|
|
||||||
);
|
|
||||||
return res.status(409).json({
|
|
||||||
message:
|
|
||||||
"This time slot is already booked. Please select another time or staff member.",
|
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
// Create appointment
|
// 2. Check if patient already has an appointment on the same date and time.
|
||||||
const appointment = await storage.createAppointment(appointmentData);
|
const sameDayAppointment = await storage.getPatientAppointmentByDateTime(
|
||||||
res.status(201).json(appointment);
|
appointmentData.patientId,
|
||||||
|
appointmentData.date,
|
||||||
|
appointmentData.startTime
|
||||||
|
);
|
||||||
|
// 3. Check if there's already an appointment at this time slot of Staff.
|
||||||
|
const staffConflict = await storage.getStaffAppointmentByDateTime(
|
||||||
|
appointmentData.staffId,
|
||||||
|
appointmentData.date,
|
||||||
|
appointmentData.startTime,
|
||||||
|
sameDayAppointment?.id
|
||||||
|
);
|
||||||
|
|
||||||
|
if (staffConflict) {
|
||||||
|
return res.status(409).json({
|
||||||
|
message:
|
||||||
|
"This time slot is already booked for the selected staff. Please choose another time or staff member.",
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// 4. If same-day appointment exists, update it
|
||||||
|
if (sameDayAppointment?.id !== undefined) {
|
||||||
|
const updatedAppointment = await storage.updateAppointment(
|
||||||
|
sameDayAppointment.id,
|
||||||
|
appointmentData
|
||||||
|
);
|
||||||
|
return res.status(200).json(updatedAppointment);
|
||||||
|
}
|
||||||
|
|
||||||
|
// 6. Otherwise, create a new appointment
|
||||||
|
const newAppointment = await storage.createAppointment(appointmentData);
|
||||||
|
return res.status(201).json(newAppointment);
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error("Error creating appointment:", error);
|
console.error("Error in upsert appointment:", error);
|
||||||
|
|
||||||
if (error instanceof z.ZodError) {
|
if (error instanceof z.ZodError) {
|
||||||
console.log(
|
console.log(
|
||||||
@@ -242,7 +244,7 @@ router.post(
|
|||||||
}
|
}
|
||||||
|
|
||||||
res.status(500).json({
|
res.status(500).json({
|
||||||
message: "Failed to create appointment",
|
message: "Failed to upsert appointment",
|
||||||
error: error instanceof Error ? error.message : String(error),
|
error: error instanceof Error ? error.message : String(error),
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
@@ -255,89 +257,85 @@ router.put(
|
|||||||
|
|
||||||
async (req: Request, res: Response): Promise<any> => {
|
async (req: Request, res: Response): Promise<any> => {
|
||||||
try {
|
try {
|
||||||
|
const appointmentData = updateAppointmentSchema.parse({
|
||||||
|
...req.body,
|
||||||
|
userId: req.user!.id,
|
||||||
|
});
|
||||||
|
|
||||||
|
const userId = req.user!.id;
|
||||||
|
|
||||||
const appointmentIdParam = req.params.id;
|
const appointmentIdParam = req.params.id;
|
||||||
if (!appointmentIdParam) {
|
if (!appointmentIdParam) {
|
||||||
return res.status(400).json({ message: "Appointment ID is required" });
|
return res.status(400).json({ message: "Appointment ID is required" });
|
||||||
}
|
}
|
||||||
const appointmentId = parseInt(appointmentIdParam);
|
const appointmentId = parseInt(appointmentIdParam);
|
||||||
|
|
||||||
// Check if appointment exists and belongs to user
|
// 1. Verify patient exists and belongs to user
|
||||||
|
const patient = await storage.getPatient(appointmentData.patientId);
|
||||||
|
if (!patient) {
|
||||||
|
return res.status(404).json({ message: "Patient not found" });
|
||||||
|
}
|
||||||
|
|
||||||
|
if (patient.userId !== userId) {
|
||||||
|
return res.status(403).json({
|
||||||
|
message: "Forbidden, You are not the user who created this patient.",
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
// 2. Check if appointment exists and belongs to user
|
||||||
const existingAppointment = await storage.getAppointment(appointmentId);
|
const existingAppointment = await storage.getAppointment(appointmentId);
|
||||||
if (!existingAppointment) {
|
if (!existingAppointment) {
|
||||||
console.log("Appointment not found:", appointmentId);
|
console.log("Appointment not found:", appointmentId);
|
||||||
return res.status(404).json({ message: "Appointment not found" });
|
return res.status(404).json({ message: "Appointment not found" });
|
||||||
}
|
}
|
||||||
|
|
||||||
if (existingAppointment.userId !== req.user!.id) {
|
if (existingAppointment.userId !== req.user!.id) {
|
||||||
console.log(
|
return res.status(403).json({
|
||||||
"Appointment belongs to another user. Appointment userId:",
|
message:
|
||||||
existingAppointment.userId,
|
"Forbidden, You are not the user who created this appointment.",
|
||||||
"Request userId:",
|
});
|
||||||
req.user!.id
|
|
||||||
);
|
|
||||||
return res.status(403).json({ message: "Forbidden" });
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// Validate request body
|
// 4. Reject patientId change (not allowed)
|
||||||
const appointmentData = updateAppointmentSchema.parse(req.body);
|
|
||||||
|
|
||||||
// If patient ID is being updated, verify the new patient belongs to user
|
|
||||||
if (
|
if (
|
||||||
appointmentData.patientId &&
|
appointmentData.patientId &&
|
||||||
appointmentData.patientId !== existingAppointment.patientId
|
appointmentData.patientId !== existingAppointment.patientId
|
||||||
) {
|
) {
|
||||||
const patient = await storage.getPatient(appointmentData.patientId);
|
return res
|
||||||
if (!patient) {
|
.status(400)
|
||||||
console.log("New patient not found:", appointmentData.patientId);
|
.json({ message: "Changing patientId is not allowed" });
|
||||||
return res.status(404).json({ message: "Patient not found" });
|
|
||||||
}
|
}
|
||||||
|
|
||||||
if (patient.userId !== req.user!.id) {
|
// 5. Check for conflicting appointments (same patient OR staff at same time)
|
||||||
console.log(
|
|
||||||
"New patient belongs to another user. Patient userId:",
|
|
||||||
patient.userId,
|
|
||||||
"Request userId:",
|
|
||||||
req.user!.id
|
|
||||||
);
|
|
||||||
return res.status(403).json({ message: "Forbidden" });
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
// Check if there's already an appointment at this time slot (if time is being changed)
|
const date = appointmentData.date ?? existingAppointment.date;
|
||||||
if (
|
const startTime =
|
||||||
appointmentData.date &&
|
appointmentData.startTime ?? existingAppointment.startTime;
|
||||||
appointmentData.startTime &&
|
const staffId = appointmentData.staffId ?? existingAppointment.staffId;
|
||||||
(appointmentData.date !== existingAppointment.date ||
|
|
||||||
appointmentData.startTime !== existingAppointment.startTime)
|
|
||||||
) {
|
|
||||||
// Extract staff name from notes
|
|
||||||
const staffInfo =
|
|
||||||
appointmentData.notes?.split("Appointment with ")[1] ||
|
|
||||||
existingAppointment.notes?.split("Appointment with ")[1];
|
|
||||||
|
|
||||||
const existingAppointments = await storage.getAppointmentsByUserId(
|
const patientConflict = await storage.getPatientConflictAppointment(
|
||||||
req.user!.id
|
existingAppointment.patientId,
|
||||||
);
|
date,
|
||||||
const conflictingAppointment = existingAppointments.find(
|
startTime,
|
||||||
(apt) =>
|
appointmentId
|
||||||
apt.id !== appointmentId && // Don't match with itself
|
|
||||||
apt.date === (appointmentData.date || existingAppointment.date) &&
|
|
||||||
apt.startTime ===
|
|
||||||
(appointmentData.startTime || existingAppointment.startTime) &&
|
|
||||||
apt.notes?.includes(staffInfo)
|
|
||||||
);
|
);
|
||||||
|
|
||||||
if (conflictingAppointment) {
|
if (patientConflict) {
|
||||||
console.log(
|
|
||||||
"Time slot already booked:",
|
|
||||||
appointmentData.date,
|
|
||||||
appointmentData.startTime
|
|
||||||
);
|
|
||||||
return res.status(409).json({
|
return res.status(409).json({
|
||||||
message:
|
message: "This patient already has an appointment at this time.",
|
||||||
"This time slot is already booked. Please select another time or staff member.",
|
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const staffConflict = await storage.getStaffConflictAppointment(
|
||||||
|
staffId,
|
||||||
|
date,
|
||||||
|
startTime,
|
||||||
|
appointmentId
|
||||||
|
);
|
||||||
|
|
||||||
|
if (staffConflict) {
|
||||||
|
return res.status(409).json({
|
||||||
|
message: "This time slot is already booked for the selected staff.",
|
||||||
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
// Update appointment
|
// Update appointment
|
||||||
@@ -345,7 +343,7 @@ router.put(
|
|||||||
appointmentId,
|
appointmentId,
|
||||||
appointmentData
|
appointmentData
|
||||||
);
|
);
|
||||||
res.json(updatedAppointment);
|
return res.json(updatedAppointment);
|
||||||
} catch (error) {
|
} catch (error) {
|
||||||
console.error("Error updating appointment:", error);
|
console.error("Error updating appointment:", error);
|
||||||
|
|
||||||
|
|||||||
@@ -209,6 +209,29 @@ export interface IStorage {
|
|||||||
appointment: UpdateAppointment
|
appointment: UpdateAppointment
|
||||||
): Promise<Appointment>;
|
): Promise<Appointment>;
|
||||||
deleteAppointment(id: number): Promise<void>;
|
deleteAppointment(id: number): Promise<void>;
|
||||||
|
getPatientAppointmentByDateTime(
|
||||||
|
patientId: number,
|
||||||
|
date: Date,
|
||||||
|
startTime: string
|
||||||
|
): Promise<Appointment | undefined>;
|
||||||
|
getStaffAppointmentByDateTime(
|
||||||
|
staffId: number,
|
||||||
|
date: Date,
|
||||||
|
startTime: string,
|
||||||
|
excludeId?: number
|
||||||
|
): Promise<Appointment | undefined>;
|
||||||
|
getPatientConflictAppointment(
|
||||||
|
patientId: number,
|
||||||
|
date: Date,
|
||||||
|
startTime: string,
|
||||||
|
excludeId: number
|
||||||
|
): Promise<Appointment | undefined>;
|
||||||
|
getStaffConflictAppointment(
|
||||||
|
staffId: number,
|
||||||
|
date: Date,
|
||||||
|
startTime: string,
|
||||||
|
excludeId: number
|
||||||
|
): Promise<Appointment | undefined>;
|
||||||
|
|
||||||
// Staff methods
|
// Staff methods
|
||||||
getStaff(id: number): Promise<Staff | undefined>;
|
getStaff(id: number): Promise<Staff | undefined>;
|
||||||
@@ -483,6 +506,70 @@ export const storage: IStorage = {
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
|
||||||
|
async getPatientAppointmentByDateTime(
|
||||||
|
patientId: number,
|
||||||
|
date: Date,
|
||||||
|
startTime: string
|
||||||
|
): Promise<Appointment | undefined> {
|
||||||
|
return await db.appointment.findFirst({
|
||||||
|
where: {
|
||||||
|
patientId,
|
||||||
|
date,
|
||||||
|
startTime,
|
||||||
|
},
|
||||||
|
}) ?? undefined;
|
||||||
|
},
|
||||||
|
|
||||||
|
async getStaffAppointmentByDateTime(
|
||||||
|
staffId: number,
|
||||||
|
date: Date,
|
||||||
|
startTime: string,
|
||||||
|
excludeId?: number
|
||||||
|
): Promise<Appointment | undefined> {
|
||||||
|
return await db.appointment.findFirst({
|
||||||
|
where: {
|
||||||
|
staffId,
|
||||||
|
date,
|
||||||
|
startTime,
|
||||||
|
NOT: excludeId ? { id: excludeId } : undefined,
|
||||||
|
},
|
||||||
|
}) ?? undefined;
|
||||||
|
},
|
||||||
|
|
||||||
|
async getPatientConflictAppointment(
|
||||||
|
patientId: number,
|
||||||
|
date: Date,
|
||||||
|
startTime: string,
|
||||||
|
excludeId: number
|
||||||
|
): Promise<Appointment | undefined> {
|
||||||
|
return await db.appointment.findFirst({
|
||||||
|
where: {
|
||||||
|
patientId,
|
||||||
|
date,
|
||||||
|
startTime,
|
||||||
|
NOT: { id: excludeId },
|
||||||
|
},
|
||||||
|
}) ?? undefined;
|
||||||
|
},
|
||||||
|
|
||||||
|
async getStaffConflictAppointment(
|
||||||
|
staffId: number,
|
||||||
|
date: Date,
|
||||||
|
startTime: string,
|
||||||
|
excludeId: number
|
||||||
|
): Promise<Appointment | undefined> {
|
||||||
|
return await db.appointment.findFirst({
|
||||||
|
where: {
|
||||||
|
staffId,
|
||||||
|
date,
|
||||||
|
startTime,
|
||||||
|
NOT: { id: excludeId },
|
||||||
|
},
|
||||||
|
}) ?? undefined;
|
||||||
|
},
|
||||||
|
|
||||||
|
|
||||||
|
// Staff methods
|
||||||
async getStaff(id: number): Promise<Staff | undefined> {
|
async getStaff(id: number): Promise<Staff | undefined> {
|
||||||
const staff = await db.staff.findUnique({ where: { id } });
|
const staff = await db.staff.findUnique({ where: { id } });
|
||||||
return staff ?? undefined;
|
return staff ?? undefined;
|
||||||
|
|||||||
409
apps/Frontend/src/components/claims/claim-form-handler.tsx
Normal file
409
apps/Frontend/src/components/claims/claim-form-handler.tsx
Normal file
@@ -0,0 +1,409 @@
|
|||||||
|
import { AppDispatch } from "@/redux/store";
|
||||||
|
import { useState, useEffect, useMemo } from "react";
|
||||||
|
import { useMutation, useQuery } from "@tanstack/react-query";
|
||||||
|
import { TopAppBar } from "@/components/layout/top-app-bar";
|
||||||
|
import { Sidebar } from "@/components/layout/sidebar";
|
||||||
|
import {
|
||||||
|
Card,
|
||||||
|
CardHeader,
|
||||||
|
CardTitle,
|
||||||
|
CardContent,
|
||||||
|
CardDescription,
|
||||||
|
} from "@/components/ui/card";
|
||||||
|
import { ClaimForm } from "@/components/claims/claim-form";
|
||||||
|
import { useToast } from "@/hooks/use-toast";
|
||||||
|
import { useAuth } from "@/hooks/use-auth";
|
||||||
|
import {
|
||||||
|
PatientUncheckedCreateInputObjectSchema,
|
||||||
|
AppointmentUncheckedCreateInputObjectSchema,
|
||||||
|
ClaimUncheckedCreateInputObjectSchema,
|
||||||
|
} from "@repo/db/usedSchemas";
|
||||||
|
import { FileCheck } from "lucide-react";
|
||||||
|
import { parse } from "date-fns";
|
||||||
|
import { z } from "zod";
|
||||||
|
import { apiRequest, queryClient } from "@/lib/queryClient";
|
||||||
|
import { useLocation } from "wouter";
|
||||||
|
import { useAppDispatch, useAppSelector } from "@/redux/hooks";
|
||||||
|
import {
|
||||||
|
setTaskStatus,
|
||||||
|
clearTaskStatus,
|
||||||
|
} from "@/redux/slices/seleniumClaimSubmitTaskSlice";
|
||||||
|
import { SeleniumTaskBanner } from "@/components/ui/selenium-task-banner";
|
||||||
|
import { formatLocalDate, parseLocalDate } from "@/utils/dateUtils";
|
||||||
|
import ClaimsRecentTable from "@/components/claims/claims-recent-table";
|
||||||
|
import ClaimsOfPatientModal from "@/components/claims/claims-of-patient-table";
|
||||||
|
|
||||||
|
//creating types out of schema auto generated.
|
||||||
|
type Appointment = z.infer<typeof AppointmentUncheckedCreateInputObjectSchema>;
|
||||||
|
type Claim = z.infer<typeof ClaimUncheckedCreateInputObjectSchema>;
|
||||||
|
|
||||||
|
const insertAppointmentSchema = (
|
||||||
|
AppointmentUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any>
|
||||||
|
).omit({
|
||||||
|
id: true,
|
||||||
|
createdAt: true,
|
||||||
|
});
|
||||||
|
type InsertAppointment = z.infer<typeof insertAppointmentSchema>;
|
||||||
|
|
||||||
|
const updateAppointmentSchema = (
|
||||||
|
AppointmentUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any>
|
||||||
|
)
|
||||||
|
.omit({
|
||||||
|
id: true,
|
||||||
|
createdAt: true,
|
||||||
|
})
|
||||||
|
.partial();
|
||||||
|
type UpdateAppointment = z.infer<typeof updateAppointmentSchema>;
|
||||||
|
|
||||||
|
const PatientSchema = (
|
||||||
|
PatientUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any>
|
||||||
|
).omit({
|
||||||
|
appointments: true,
|
||||||
|
});
|
||||||
|
type Patient = z.infer<typeof PatientSchema>;
|
||||||
|
|
||||||
|
const insertPatientSchema = (
|
||||||
|
PatientUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any>
|
||||||
|
).omit({
|
||||||
|
id: true,
|
||||||
|
createdAt: true,
|
||||||
|
});
|
||||||
|
type InsertPatient = z.infer<typeof insertPatientSchema>;
|
||||||
|
|
||||||
|
const updatePatientSchema = (
|
||||||
|
PatientUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any>
|
||||||
|
)
|
||||||
|
.omit({
|
||||||
|
id: true,
|
||||||
|
createdAt: true,
|
||||||
|
userId: true,
|
||||||
|
})
|
||||||
|
.partial();
|
||||||
|
|
||||||
|
type UpdatePatient = z.infer<typeof updatePatientSchema>;
|
||||||
|
|
||||||
|
const { toast } = useToast();
|
||||||
|
|
||||||
|
// 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",
|
||||||
|
});
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
// Update patient mutation
|
||||||
|
const updatePatientMutation = useMutation({
|
||||||
|
mutationFn: async ({
|
||||||
|
id,
|
||||||
|
patient,
|
||||||
|
}: {
|
||||||
|
id: number;
|
||||||
|
patient: UpdatePatient;
|
||||||
|
}) => {
|
||||||
|
const res = await apiRequest("PUT", `/api/patients/${id}`, patient);
|
||||||
|
return res.json();
|
||||||
|
},
|
||||||
|
onSuccess: () => {
|
||||||
|
queryClient.invalidateQueries({ queryKey: ["/api/patients/"] });
|
||||||
|
toast({
|
||||||
|
title: "Success",
|
||||||
|
description: "Patient updated successfully!",
|
||||||
|
variant: "default",
|
||||||
|
});
|
||||||
|
},
|
||||||
|
onError: (error) => {
|
||||||
|
toast({
|
||||||
|
title: "Error",
|
||||||
|
description: `Failed to update patient: ${error.message}`,
|
||||||
|
variant: "destructive",
|
||||||
|
});
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
// Create/upsert appointment mutation
|
||||||
|
const createAppointmentMutation = useMutation({
|
||||||
|
mutationFn: async (appointment: InsertAppointment) => {
|
||||||
|
const res = await apiRequest("POST", "/api/appointments/upsert", 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",
|
||||||
|
});
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
// Update appointment mutation
|
||||||
|
const updateAppointmentMutation = useMutation({
|
||||||
|
mutationFn: async ({
|
||||||
|
id,
|
||||||
|
appointment,
|
||||||
|
}: {
|
||||||
|
id: number;
|
||||||
|
appointment: UpdateAppointment;
|
||||||
|
}) => {
|
||||||
|
const res = await apiRequest("PUT", `/api/appointments/${id}`, appointment);
|
||||||
|
return await res.json();
|
||||||
|
},
|
||||||
|
onSuccess: () => {
|
||||||
|
toast({
|
||||||
|
title: "Success",
|
||||||
|
description: "Appointment updated successfully.",
|
||||||
|
});
|
||||||
|
queryClient.invalidateQueries({ queryKey: ["/api/appointments/all"] });
|
||||||
|
queryClient.invalidateQueries({ queryKey: ["/api/patients/"] });
|
||||||
|
},
|
||||||
|
onError: (error: Error) => {
|
||||||
|
toast({
|
||||||
|
title: "Error",
|
||||||
|
description: `Failed to update 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 created successfully",
|
||||||
|
variant: "default",
|
||||||
|
});
|
||||||
|
},
|
||||||
|
onError: (error: any) => {
|
||||||
|
toast({
|
||||||
|
title: "Error submitting claim",
|
||||||
|
description: error.message,
|
||||||
|
variant: "destructive",
|
||||||
|
});
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
function handleClaimSubmit(claimData: any): Promise<Claim> {
|
||||||
|
return createClaimMutation.mutateAsync(claimData).then((data) => {
|
||||||
|
return data;
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
const handleAppointmentSubmit = async (
|
||||||
|
appointmentData: InsertAppointment | UpdateAppointment
|
||||||
|
): Promise<number> => {
|
||||||
|
const rawDate = parseLocalDate(appointmentData.date);
|
||||||
|
const formattedDate = formatLocalDate(rawDate);
|
||||||
|
|
||||||
|
// Prepare minimal data to update/create
|
||||||
|
const minimalData = {
|
||||||
|
date: rawDate.toLocaleDateString("en-CA"), // "YYYY-MM-DD" format
|
||||||
|
startTime: appointmentData.startTime || "09:00",
|
||||||
|
endTime: appointmentData.endTime || "09:30",
|
||||||
|
staffId: appointmentData.staffId,
|
||||||
|
};
|
||||||
|
|
||||||
|
// Find existing appointment for this patient on the same date
|
||||||
|
const existingAppointment = appointments.find(
|
||||||
|
(a) =>
|
||||||
|
a.patientId === appointmentData.patientId &&
|
||||||
|
formatLocalDate(parseLocalDate(a.date)) === formattedDate
|
||||||
|
);
|
||||||
|
|
||||||
|
if (existingAppointment && typeof existingAppointment.id === "number") {
|
||||||
|
// Update appointment with only date
|
||||||
|
updateAppointmentMutation.mutate({
|
||||||
|
id: existingAppointment.id,
|
||||||
|
appointment: minimalData,
|
||||||
|
});
|
||||||
|
return existingAppointment.id;
|
||||||
|
}
|
||||||
|
|
||||||
|
return new Promise<number>((resolve, reject) => {
|
||||||
|
createAppointmentMutation.mutate(
|
||||||
|
{
|
||||||
|
...minimalData,
|
||||||
|
patientId: appointmentData.patientId,
|
||||||
|
userId: user?.id,
|
||||||
|
title: "Scheduled Appointment",
|
||||||
|
type: "checkup",
|
||||||
|
},
|
||||||
|
{
|
||||||
|
onSuccess: (newAppointment) => {
|
||||||
|
resolve(newAppointment.id);
|
||||||
|
},
|
||||||
|
onError: (error) => {
|
||||||
|
toast({
|
||||||
|
title: "Error",
|
||||||
|
description: "Could not create appointment",
|
||||||
|
variant: "destructive",
|
||||||
|
});
|
||||||
|
reject(error);
|
||||||
|
},
|
||||||
|
}
|
||||||
|
);
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
// Update Patient ( for insuranceId and Insurance Provider)
|
||||||
|
const handleUpdatePatient = (patient: UpdatePatient & { id?: number }) => {
|
||||||
|
if (patient) {
|
||||||
|
const { id, ...sanitizedPatient } = patient;
|
||||||
|
updatePatientMutation.mutate({
|
||||||
|
id: Number(patient.id),
|
||||||
|
patient: sanitizedPatient,
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
console.error("No current patient or user found for update");
|
||||||
|
toast({
|
||||||
|
title: "Error",
|
||||||
|
description: "Cannot update patient: No patient or user found",
|
||||||
|
variant: "destructive",
|
||||||
|
});
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// handle selenium sybmiting Mass Health claim
|
||||||
|
export const handleMHClaimSubmitSelenium = async (
|
||||||
|
data: any,
|
||||||
|
dispatch: AppDispatch,
|
||||||
|
selectedPatient: number | null
|
||||||
|
) => {
|
||||||
|
const formData = new FormData();
|
||||||
|
formData.append("data", JSON.stringify(data));
|
||||||
|
const uploadedFiles: File[] = data.uploadedFiles ?? [];
|
||||||
|
|
||||||
|
uploadedFiles.forEach((file: File) => {
|
||||||
|
if (file.type === "application/pdf") {
|
||||||
|
formData.append("pdfs", file);
|
||||||
|
} else if (file.type.startsWith("image/")) {
|
||||||
|
formData.append("images", file);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
try {
|
||||||
|
dispatch(
|
||||||
|
setTaskStatus({
|
||||||
|
status: "pending",
|
||||||
|
message: "Submitting claim to Selenium...",
|
||||||
|
})
|
||||||
|
);
|
||||||
|
const response = await apiRequest("POST", "/api/claims/selenium", formData);
|
||||||
|
const result1 = await response.json();
|
||||||
|
if (result1.error) throw new Error(result1.error);
|
||||||
|
|
||||||
|
dispatch(
|
||||||
|
setTaskStatus({
|
||||||
|
status: "pending",
|
||||||
|
message: "Submitted to Selenium. Awaiting PDF...",
|
||||||
|
})
|
||||||
|
);
|
||||||
|
|
||||||
|
toast({
|
||||||
|
title: "Selenium service notified",
|
||||||
|
description:
|
||||||
|
"Your claim data was successfully sent to Selenium, Waitinig for its response.",
|
||||||
|
variant: "default",
|
||||||
|
});
|
||||||
|
|
||||||
|
const result2 = await handleSeleniumPdfDownload(
|
||||||
|
result1,
|
||||||
|
dispatch,
|
||||||
|
selectedPatient
|
||||||
|
);
|
||||||
|
return result2;
|
||||||
|
} catch (error: any) {
|
||||||
|
dispatch(
|
||||||
|
setTaskStatus({
|
||||||
|
status: "error",
|
||||||
|
message: error.message || "Selenium submission failed",
|
||||||
|
})
|
||||||
|
);
|
||||||
|
toast({
|
||||||
|
title: "Selenium service error",
|
||||||
|
description: error.message || "An error occurred.",
|
||||||
|
variant: "destructive",
|
||||||
|
});
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
// selenium pdf download handler
|
||||||
|
export const handleSeleniumPdfDownload = async (
|
||||||
|
data: any,
|
||||||
|
dispatch: AppDispatch,
|
||||||
|
selectedPatient: number | null
|
||||||
|
) => {
|
||||||
|
try {
|
||||||
|
if (!selectedPatient) {
|
||||||
|
throw new Error("Missing patientId");
|
||||||
|
}
|
||||||
|
|
||||||
|
dispatch(
|
||||||
|
setTaskStatus({
|
||||||
|
status: "pending",
|
||||||
|
message: "Downloading PDF from Selenium...",
|
||||||
|
})
|
||||||
|
);
|
||||||
|
|
||||||
|
const res = await apiRequest("POST", "/api/claims/selenium/fetchpdf", {
|
||||||
|
patientId: selectedPatient,
|
||||||
|
pdf_url: data.pdf_url,
|
||||||
|
});
|
||||||
|
const result = await res.json();
|
||||||
|
if (result.error) throw new Error(result.error);
|
||||||
|
|
||||||
|
dispatch(
|
||||||
|
setTaskStatus({
|
||||||
|
status: "success",
|
||||||
|
message: "Claim submitted & PDF downloaded successfully.",
|
||||||
|
})
|
||||||
|
);
|
||||||
|
|
||||||
|
toast({
|
||||||
|
title: "Success",
|
||||||
|
description: "Claim Submitted and Pdf Downloaded completed.",
|
||||||
|
});
|
||||||
|
|
||||||
|
// setSelectedPatient(null);
|
||||||
|
|
||||||
|
return result;
|
||||||
|
} catch (error: any) {
|
||||||
|
dispatch(
|
||||||
|
setTaskStatus({
|
||||||
|
status: "error",
|
||||||
|
message: error.message || "Failed to download PDF",
|
||||||
|
})
|
||||||
|
);
|
||||||
|
toast({
|
||||||
|
title: "Error",
|
||||||
|
description: error.message || "Failed to fetch PDF",
|
||||||
|
variant: "destructive",
|
||||||
|
});
|
||||||
|
}
|
||||||
|
};
|
||||||
@@ -22,6 +22,8 @@ import {
|
|||||||
PatientUncheckedCreateInputObjectSchema,
|
PatientUncheckedCreateInputObjectSchema,
|
||||||
AppointmentUncheckedCreateInputObjectSchema,
|
AppointmentUncheckedCreateInputObjectSchema,
|
||||||
ClaimUncheckedCreateInputObjectSchema,
|
ClaimUncheckedCreateInputObjectSchema,
|
||||||
|
ClaimStatusSchema,
|
||||||
|
StaffUncheckedCreateInputObjectSchema,
|
||||||
} from "@repo/db/usedSchemas";
|
} from "@repo/db/usedSchemas";
|
||||||
import { z } from "zod";
|
import { z } from "zod";
|
||||||
import { useQuery } from "@tanstack/react-query";
|
import { useQuery } from "@tanstack/react-query";
|
||||||
@@ -31,7 +33,6 @@ import { useAuth } from "@/hooks/use-auth";
|
|||||||
import {
|
import {
|
||||||
Tooltip,
|
Tooltip,
|
||||||
TooltipContent,
|
TooltipContent,
|
||||||
TooltipProvider,
|
|
||||||
TooltipTrigger,
|
TooltipTrigger,
|
||||||
} from "@/components/ui/tooltip";
|
} from "@/components/ui/tooltip";
|
||||||
import procedureCodes from "../../assets/data/procedureCodes.json";
|
import procedureCodes from "../../assets/data/procedureCodes.json";
|
||||||
@@ -57,7 +58,6 @@ const updatePatientSchema = (
|
|||||||
type UpdatePatient = z.infer<typeof updatePatientSchema>;
|
type UpdatePatient = z.infer<typeof updatePatientSchema>;
|
||||||
|
|
||||||
//creating types out of schema auto generated.
|
//creating types out of schema auto generated.
|
||||||
type Appointment = z.infer<typeof AppointmentUncheckedCreateInputObjectSchema>;
|
|
||||||
|
|
||||||
const insertAppointmentSchema = (
|
const insertAppointmentSchema = (
|
||||||
AppointmentUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any>
|
AppointmentUncheckedCreateInputObjectSchema as unknown as z.ZodObject<any>
|
||||||
@@ -114,35 +114,31 @@ interface ClaimFormProps {
|
|||||||
appointmentData: InsertAppointment | UpdateAppointment
|
appointmentData: InsertAppointment | UpdateAppointment
|
||||||
) => void;
|
) => void;
|
||||||
onHandleUpdatePatient: (patient: UpdatePatient & { id: number }) => void;
|
onHandleUpdatePatient: (patient: UpdatePatient & { id: number }) => void;
|
||||||
onHandleForSelenium: (data: ClaimFormData) => void;
|
onHandleForMHSelenium: (data: ClaimFormData) => void;
|
||||||
onClose: () => void;
|
onClose: () => void;
|
||||||
}
|
}
|
||||||
|
|
||||||
interface Staff {
|
export type ClaimStatus = z.infer<typeof ClaimStatusSchema>;
|
||||||
id: string;
|
type Staff = z.infer<typeof StaffUncheckedCreateInputObjectSchema>;
|
||||||
name: string;
|
|
||||||
role: "doctor" | "hygienist";
|
|
||||||
color: string;
|
|
||||||
}
|
|
||||||
|
|
||||||
export function ClaimForm({
|
export function ClaimForm({
|
||||||
patientId,
|
patientId,
|
||||||
extractedData,
|
extractedData,
|
||||||
onHandleAppointmentSubmit,
|
onHandleAppointmentSubmit,
|
||||||
onHandleUpdatePatient,
|
onHandleUpdatePatient,
|
||||||
onHandleForSelenium,
|
onHandleForMHSelenium,
|
||||||
onSubmit,
|
onSubmit,
|
||||||
onClose,
|
onClose,
|
||||||
}: ClaimFormProps) {
|
}: ClaimFormProps) {
|
||||||
const { toast } = useToast();
|
const { toast } = useToast();
|
||||||
const { user } = useAuth();
|
const { user } = useAuth();
|
||||||
|
|
||||||
// Patient state - initialize from extractedData or null (new patient)
|
// Patient state - initialize from extractedData (if given ) or null (new patient)
|
||||||
const [patient, setPatient] = useState<Patient | null>(
|
const [patient, setPatient] = useState<Patient | null>(
|
||||||
extractedData ? ({ ...extractedData } as Patient) : null
|
extractedData ? ({ ...extractedData } as Patient) : null
|
||||||
);
|
);
|
||||||
|
|
||||||
// Query patient
|
// Query patient based on given patient id
|
||||||
const {
|
const {
|
||||||
data: fetchedPatient,
|
data: fetchedPatient,
|
||||||
isLoading,
|
isLoading,
|
||||||
@@ -189,7 +185,6 @@ export function ClaimForm({
|
|||||||
const [serviceDate, setServiceDate] = useState<string>(
|
const [serviceDate, setServiceDate] = useState<string>(
|
||||||
formatLocalDate(new Date())
|
formatLocalDate(new Date())
|
||||||
);
|
);
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
if (extractedData?.serviceDate) {
|
if (extractedData?.serviceDate) {
|
||||||
const parsed = parseLocalDate(extractedData.serviceDate);
|
const parsed = parseLocalDate(extractedData.serviceDate);
|
||||||
@@ -209,6 +204,21 @@ export function ClaimForm({
|
|||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
|
// when service date is chenged, it will change the each service lines procedure date in sync as well.
|
||||||
|
useEffect(() => {
|
||||||
|
setForm((prevForm) => {
|
||||||
|
const updatedLines = prevForm.serviceLines.map((line) => ({
|
||||||
|
...line,
|
||||||
|
procedureDate: serviceDate, // set all to current serviceDate string
|
||||||
|
}));
|
||||||
|
return {
|
||||||
|
...prevForm,
|
||||||
|
serviceLines: updatedLines,
|
||||||
|
serviceDate, // keep form.serviceDate in sync as well
|
||||||
|
};
|
||||||
|
});
|
||||||
|
}, [serviceDate]);
|
||||||
|
|
||||||
// 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 "";
|
||||||
@@ -262,20 +272,6 @@ export function ClaimForm({
|
|||||||
}
|
}
|
||||||
}, [patient]);
|
}, [patient]);
|
||||||
|
|
||||||
useEffect(() => {
|
|
||||||
setForm((prevForm) => {
|
|
||||||
const updatedLines = prevForm.serviceLines.map((line) => ({
|
|
||||||
...line,
|
|
||||||
procedureDate: serviceDate, // set all to current serviceDate string
|
|
||||||
}));
|
|
||||||
return {
|
|
||||||
...prevForm,
|
|
||||||
serviceLines: updatedLines,
|
|
||||||
serviceDate, // keep form.serviceDate in sync as well
|
|
||||||
};
|
|
||||||
});
|
|
||||||
}, [serviceDate]);
|
|
||||||
|
|
||||||
// Handle patient field changes (to make inputs controlled and editable)
|
// Handle patient field changes (to make inputs controlled and editable)
|
||||||
const updatePatientField = (field: keyof Patient, value: any) => {
|
const updatePatientField = (field: keyof Patient, value: any) => {
|
||||||
setPatient((prev) => (prev ? { ...prev, [field]: value } : null));
|
setPatient((prev) => (prev ? { ...prev, [field]: value } : null));
|
||||||
@@ -362,15 +358,14 @@ export function ClaimForm({
|
|||||||
setIsUploading(false);
|
setIsUploading(false);
|
||||||
};
|
};
|
||||||
|
|
||||||
// Mass Health Button Handler
|
// 1st Button workflow - Mass Health Button Handler
|
||||||
const handleMHSubmit = async () => {
|
const handleMHSubmit = async () => {
|
||||||
|
// 1. Create or update appointment
|
||||||
const appointmentData = {
|
const appointmentData = {
|
||||||
patientId: patientId,
|
patientId: patientId,
|
||||||
date: serviceDate,
|
date: serviceDate,
|
||||||
staffId: staff?.id,
|
staffId: staff?.id,
|
||||||
};
|
};
|
||||||
|
|
||||||
// 1. Create or update appointment
|
|
||||||
const appointmentId = await onHandleAppointmentSubmit(appointmentData);
|
const appointmentId = await onHandleAppointmentSubmit(appointmentData);
|
||||||
|
|
||||||
// 2. Update patient
|
// 2. Update patient
|
||||||
@@ -395,7 +390,6 @@ export function ClaimForm({
|
|||||||
const filteredServiceLines = form.serviceLines.filter(
|
const filteredServiceLines = form.serviceLines.filter(
|
||||||
(line) => line.procedureCode.trim() !== ""
|
(line) => line.procedureCode.trim() !== ""
|
||||||
);
|
);
|
||||||
|
|
||||||
const { uploadedFiles, insuranceSiteKey, ...formToCreateClaim } = form;
|
const { uploadedFiles, insuranceSiteKey, ...formToCreateClaim } = form;
|
||||||
const createdClaim = await onSubmit({
|
const createdClaim = await onSubmit({
|
||||||
...formToCreateClaim,
|
...formToCreateClaim,
|
||||||
@@ -407,7 +401,7 @@ export function ClaimForm({
|
|||||||
});
|
});
|
||||||
|
|
||||||
// 4. sending form data to selenium service
|
// 4. sending form data to selenium service
|
||||||
onHandleForSelenium({
|
onHandleForMHSelenium({
|
||||||
...form,
|
...form,
|
||||||
serviceLines: filteredServiceLines,
|
serviceLines: filteredServiceLines,
|
||||||
staffId: Number(staff?.id),
|
staffId: Number(staff?.id),
|
||||||
@@ -417,7 +411,8 @@ export function ClaimForm({
|
|||||||
insuranceSiteKey: "MH",
|
insuranceSiteKey: "MH",
|
||||||
claimId: createdClaim.id,
|
claimId: createdClaim.id,
|
||||||
});
|
});
|
||||||
// 4. Close form
|
|
||||||
|
// 5. Close form
|
||||||
onClose();
|
onClose();
|
||||||
};
|
};
|
||||||
|
|
||||||
@@ -541,10 +536,10 @@ export function ClaimForm({
|
|||||||
Treating Doctor
|
Treating Doctor
|
||||||
</Label>
|
</Label>
|
||||||
<Select
|
<Select
|
||||||
value={staff?.id || ""}
|
value={staff?.id?.toString() || ""}
|
||||||
onValueChange={(id) => {
|
onValueChange={(id) => {
|
||||||
const selected = staffMembersRaw.find(
|
const selected = staffMembersRaw.find(
|
||||||
(member) => member.id === id
|
(member) => member.id?.toString() === id
|
||||||
);
|
);
|
||||||
if (selected) {
|
if (selected) {
|
||||||
setStaff(selected);
|
setStaff(selected);
|
||||||
@@ -562,11 +557,18 @@ export function ClaimForm({
|
|||||||
</SelectTrigger>
|
</SelectTrigger>
|
||||||
|
|
||||||
<SelectContent>
|
<SelectContent>
|
||||||
{staffMembersRaw.map((member) => (
|
{staffMembersRaw.map((member) => {
|
||||||
<SelectItem key={member.id} value={member.id}>
|
if (member.id === undefined) return null;
|
||||||
|
|
||||||
|
return (
|
||||||
|
<SelectItem
|
||||||
|
key={member.id}
|
||||||
|
value={member.id.toString()}
|
||||||
|
>
|
||||||
{member.name}
|
{member.name}
|
||||||
</SelectItem>
|
</SelectItem>
|
||||||
))}
|
);
|
||||||
|
})}
|
||||||
</SelectContent>
|
</SelectContent>
|
||||||
</Select>
|
</Select>
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@@ -287,10 +287,10 @@ export default function AppointmentsPage() {
|
|||||||
}
|
}
|
||||||
}, [patients, user, location]);
|
}, [patients, user, location]);
|
||||||
|
|
||||||
// Create appointment mutation
|
// Create/upsert appointment mutation
|
||||||
const createAppointmentMutation = useMutation({
|
const createAppointmentMutation = useMutation({
|
||||||
mutationFn: async (appointment: InsertAppointment) => {
|
mutationFn: async (appointment: InsertAppointment) => {
|
||||||
const res = await apiRequest("POST", "/api/appointments/", appointment);
|
const res = await apiRequest("POST", "/api/appointments/upsert", appointment);
|
||||||
return await res.json();
|
return await res.json();
|
||||||
},
|
},
|
||||||
onSuccess: () => {
|
onSuccess: () => {
|
||||||
|
|||||||
@@ -2,7 +2,13 @@ import { useState, useEffect, useMemo } from "react";
|
|||||||
import { useMutation, 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, CardDescription } from "@/components/ui/card";
|
import {
|
||||||
|
Card,
|
||||||
|
CardHeader,
|
||||||
|
CardTitle,
|
||||||
|
CardContent,
|
||||||
|
CardDescription,
|
||||||
|
} 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";
|
||||||
@@ -12,7 +18,7 @@ import {
|
|||||||
ClaimUncheckedCreateInputObjectSchema,
|
ClaimUncheckedCreateInputObjectSchema,
|
||||||
} from "@repo/db/usedSchemas";
|
} from "@repo/db/usedSchemas";
|
||||||
import { FileCheck } from "lucide-react";
|
import { FileCheck } from "lucide-react";
|
||||||
import { parse, format } from "date-fns";
|
import { parse } from "date-fns";
|
||||||
import { z } from "zod";
|
import { z } from "zod";
|
||||||
import { apiRequest, queryClient } from "@/lib/queryClient";
|
import { apiRequest, queryClient } from "@/lib/queryClient";
|
||||||
import { useLocation } from "wouter";
|
import { useLocation } from "wouter";
|
||||||
@@ -78,7 +84,9 @@ type UpdatePatient = z.infer<typeof updatePatientSchema>;
|
|||||||
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 [selectedPatientId, setSelectedPatientId] = useState<number | null>(
|
||||||
|
null
|
||||||
|
);
|
||||||
const dispatch = useAppDispatch();
|
const dispatch = useAppDispatch();
|
||||||
const { status, message, show } = useAppSelector(
|
const { status, message, show } = useAppSelector(
|
||||||
(state) => state.seleniumClaimSubmitTask
|
(state) => state.seleniumClaimSubmitTask
|
||||||
@@ -168,10 +176,14 @@ export default function ClaimsPage() {
|
|||||||
},
|
},
|
||||||
});
|
});
|
||||||
|
|
||||||
// Create appointment mutation
|
// Create/upsert appointment mutation
|
||||||
const createAppointmentMutation = useMutation({
|
const createAppointmentMutation = useMutation({
|
||||||
mutationFn: async (appointment: InsertAppointment) => {
|
mutationFn: async (appointment: InsertAppointment) => {
|
||||||
const res = await apiRequest("POST", "/api/appointments/", appointment);
|
const res = await apiRequest(
|
||||||
|
"POST",
|
||||||
|
"/api/appointments/upsert",
|
||||||
|
appointment
|
||||||
|
);
|
||||||
return await res.json();
|
return await res.json();
|
||||||
},
|
},
|
||||||
onSuccess: () => {
|
onSuccess: () => {
|
||||||
@@ -228,50 +240,29 @@ export default function ClaimsPage() {
|
|||||||
const handleAppointmentSubmit = async (
|
const handleAppointmentSubmit = async (
|
||||||
appointmentData: InsertAppointment | UpdateAppointment
|
appointmentData: InsertAppointment | UpdateAppointment
|
||||||
): Promise<number> => {
|
): Promise<number> => {
|
||||||
const rawDate = parseLocalDate(appointmentData.date);
|
return new Promise<number>((resolve, reject) => {
|
||||||
const formattedDate = formatLocalDate(rawDate);
|
console.log("Constructed appointmentData:", appointmentData);
|
||||||
|
|
||||||
// Prepare minimal data to update/create
|
console.log(appointmentData.date);
|
||||||
const minimalData = {
|
createAppointmentMutation.mutate(
|
||||||
date: rawDate.toLocaleDateString("en-CA"), // "YYYY-MM-DD" format
|
{
|
||||||
|
date: appointmentData.date,
|
||||||
startTime: appointmentData.startTime || "09:00",
|
startTime: appointmentData.startTime || "09:00",
|
||||||
endTime: appointmentData.endTime || "09:30",
|
endTime: appointmentData.endTime || "09:30",
|
||||||
staffId: appointmentData.staffId,
|
staffId: appointmentData.staffId,
|
||||||
};
|
|
||||||
|
|
||||||
// Find existing appointment for this patient on the same date
|
|
||||||
const existingAppointment = appointments.find(
|
|
||||||
(a) =>
|
|
||||||
a.patientId === appointmentData.patientId &&
|
|
||||||
formatLocalDate(parseLocalDate(a.date)) === formattedDate
|
|
||||||
);
|
|
||||||
|
|
||||||
if (existingAppointment && typeof existingAppointment.id === "number") {
|
|
||||||
// Update appointment with only date
|
|
||||||
updateAppointmentMutation.mutate({
|
|
||||||
id: existingAppointment.id,
|
|
||||||
appointment: minimalData,
|
|
||||||
});
|
|
||||||
return existingAppointment.id;
|
|
||||||
}
|
|
||||||
|
|
||||||
return new Promise<number>((resolve, reject) => {
|
|
||||||
createAppointmentMutation.mutate(
|
|
||||||
{
|
|
||||||
...minimalData,
|
|
||||||
patientId: appointmentData.patientId,
|
patientId: appointmentData.patientId,
|
||||||
userId: user?.id,
|
userId: user?.id,
|
||||||
title: "Scheduled Appointment",
|
title: "Scheduled Appointment",
|
||||||
type: "checkup",
|
type: "checkup",
|
||||||
},
|
},
|
||||||
{
|
{
|
||||||
onSuccess: (newAppointment) => {
|
onSuccess: (appointment) => {
|
||||||
resolve(newAppointment.id);
|
resolve(appointment.id);
|
||||||
},
|
},
|
||||||
onError: (error) => {
|
onError: (error) => {
|
||||||
toast({
|
toast({
|
||||||
title: "Error",
|
title: "Error",
|
||||||
description: "Could not create appointment",
|
description: "Could not schedule appointment",
|
||||||
variant: "destructive",
|
variant: "destructive",
|
||||||
});
|
});
|
||||||
reject(error);
|
reject(error);
|
||||||
@@ -324,7 +315,7 @@ export default function ClaimsPage() {
|
|||||||
};
|
};
|
||||||
|
|
||||||
const handleNewClaim = (patientId: number) => {
|
const handleNewClaim = (patientId: number) => {
|
||||||
setSelectedPatient(patientId);
|
setSelectedPatientId(patientId);
|
||||||
setIsClaimFormOpen(true);
|
setIsClaimFormOpen(true);
|
||||||
|
|
||||||
const patient = patients.find((p) => p.id === patientId);
|
const patient = patients.find((p) => p.id === patientId);
|
||||||
@@ -334,6 +325,7 @@ export default function ClaimsPage() {
|
|||||||
};
|
};
|
||||||
|
|
||||||
const closeClaim = () => {
|
const closeClaim = () => {
|
||||||
|
setSelectedPatientId(null);
|
||||||
setIsClaimFormOpen(false);
|
setIsClaimFormOpen(false);
|
||||||
setClaimFormData({
|
setClaimFormData({
|
||||||
patientId: null,
|
patientId: null,
|
||||||
@@ -379,7 +371,7 @@ export default function ClaimsPage() {
|
|||||||
);
|
);
|
||||||
|
|
||||||
if (matchingPatient) {
|
if (matchingPatient) {
|
||||||
setSelectedPatient(matchingPatient.id);
|
setSelectedPatientId(matchingPatient.id);
|
||||||
prefillClaimForm(matchingPatient);
|
prefillClaimForm(matchingPatient);
|
||||||
setIsClaimFormOpen(true);
|
setIsClaimFormOpen(true);
|
||||||
} else {
|
} else {
|
||||||
@@ -401,7 +393,7 @@ export default function ClaimsPage() {
|
|||||||
|
|
||||||
addPatientMutation.mutate(newPatient, {
|
addPatientMutation.mutate(newPatient, {
|
||||||
onSuccess: (created) => {
|
onSuccess: (created) => {
|
||||||
setSelectedPatient(created.id);
|
setSelectedPatientId(created.id);
|
||||||
prefillClaimForm(created);
|
prefillClaimForm(created);
|
||||||
setIsClaimFormOpen(true);
|
setIsClaimFormOpen(true);
|
||||||
},
|
},
|
||||||
@@ -474,8 +466,8 @@ export default function ClaimsPage() {
|
|||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
// handle selenium
|
// handle selenium sybmiting Mass Health claim
|
||||||
const handleSelenium = async (data: any) => {
|
const handleMHClaimSubmitSelenium = async (data: any) => {
|
||||||
const formData = new FormData();
|
const formData = new FormData();
|
||||||
formData.append("data", JSON.stringify(data));
|
formData.append("data", JSON.stringify(data));
|
||||||
const uploadedFiles: File[] = data.uploadedFiles ?? [];
|
const uploadedFiles: File[] = data.uploadedFiles ?? [];
|
||||||
@@ -517,7 +509,7 @@ export default function ClaimsPage() {
|
|||||||
variant: "default",
|
variant: "default",
|
||||||
});
|
});
|
||||||
|
|
||||||
const result2 = await handleSeleniumPdfDownload(result1);
|
const result2 = await handleMHSeleniumPdfDownload(result1);
|
||||||
return result2;
|
return result2;
|
||||||
} catch (error: any) {
|
} catch (error: any) {
|
||||||
dispatch(
|
dispatch(
|
||||||
@@ -535,9 +527,9 @@ export default function ClaimsPage() {
|
|||||||
};
|
};
|
||||||
|
|
||||||
// selenium pdf download handler
|
// selenium pdf download handler
|
||||||
const handleSeleniumPdfDownload = async (data: any) => {
|
const handleMHSeleniumPdfDownload = async (data: any) => {
|
||||||
try {
|
try {
|
||||||
if (!selectedPatient) {
|
if (!selectedPatientId) {
|
||||||
throw new Error("Missing patientId");
|
throw new Error("Missing patientId");
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -549,7 +541,7 @@ export default function ClaimsPage() {
|
|||||||
);
|
);
|
||||||
|
|
||||||
const res = await apiRequest("POST", "/api/claims/selenium/fetchpdf", {
|
const res = await apiRequest("POST", "/api/claims/selenium/fetchpdf", {
|
||||||
patientId: selectedPatient,
|
patientId: selectedPatientId,
|
||||||
pdf_url: data.pdf_url,
|
pdf_url: data.pdf_url,
|
||||||
});
|
});
|
||||||
const result = await res.json();
|
const result = await res.json();
|
||||||
@@ -567,8 +559,6 @@ export default function ClaimsPage() {
|
|||||||
description: "Claim Submitted and Pdf Downloaded completed.",
|
description: "Claim Submitted and Pdf Downloaded completed.",
|
||||||
});
|
});
|
||||||
|
|
||||||
setSelectedPatient(null);
|
|
||||||
|
|
||||||
return result;
|
return result;
|
||||||
} catch (error: any) {
|
} catch (error: any) {
|
||||||
dispatch(
|
dispatch(
|
||||||
@@ -726,15 +716,15 @@ export default function ClaimsPage() {
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
{/* Claim Form Modal */}
|
{/* Claim Form Modal */}
|
||||||
{isClaimFormOpen && selectedPatient !== null && (
|
{isClaimFormOpen && selectedPatientId !== null && (
|
||||||
<ClaimForm
|
<ClaimForm
|
||||||
patientId={selectedPatient}
|
patientId={selectedPatientId}
|
||||||
onClose={closeClaim}
|
onClose={closeClaim}
|
||||||
extractedData={claimFormData}
|
extractedData={claimFormData}
|
||||||
onSubmit={handleClaimSubmit}
|
onSubmit={handleClaimSubmit}
|
||||||
onHandleAppointmentSubmit={handleAppointmentSubmit}
|
onHandleAppointmentSubmit={handleAppointmentSubmit}
|
||||||
onHandleUpdatePatient={handleUpdatePatient}
|
onHandleUpdatePatient={handleUpdatePatient}
|
||||||
onHandleForSelenium={handleSelenium}
|
onHandleForMHSelenium={handleMHClaimSubmitSelenium}
|
||||||
/>
|
/>
|
||||||
)}
|
)}
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@@ -153,10 +153,10 @@ export default function Dashboard() {
|
|||||||
|
|
||||||
const isLoading = isLoadingPatients || addPatientMutation.isPending;
|
const isLoading = isLoadingPatients || addPatientMutation.isPending;
|
||||||
|
|
||||||
// Create appointment mutation
|
// Create/upsert appointment mutation
|
||||||
const createAppointmentMutation = useMutation({
|
const createAppointmentMutation = useMutation({
|
||||||
mutationFn: async (appointment: InsertAppointment) => {
|
mutationFn: async (appointment: InsertAppointment) => {
|
||||||
const res = await apiRequest("POST", "/api/appointments/", appointment);
|
const res = await apiRequest("POST", "/api/appointments/upsert", appointment);
|
||||||
return await res.json();
|
return await res.json();
|
||||||
},
|
},
|
||||||
onSuccess: () => {
|
onSuccess: () => {
|
||||||
|
|||||||
Reference in New Issue
Block a user