Merge branch 'Stage' of https://github.com/m1guelmcf/MedConnect into ajustes-agendamentio
This commit is contained in:
commit
9fd9c05040
@ -85,10 +85,10 @@ export default function DoctorAppointmentsPage() {
|
|||||||
const appointmentsToDisplay = selectedDate
|
const appointmentsToDisplay = selectedDate
|
||||||
? allAppointments.filter(app => app.scheduled_at && app.scheduled_at.startsWith(format(selectedDate, "yyyy-MM-dd")))
|
? allAppointments.filter(app => app.scheduled_at && app.scheduled_at.startsWith(format(selectedDate, "yyyy-MM-dd")))
|
||||||
: allAppointments.filter(app => {
|
: allAppointments.filter(app => {
|
||||||
if (!app.scheduled_at) return false;
|
if (!app.scheduled_at) return false;
|
||||||
const dateObj = parseISO(app.scheduled_at);
|
const dateObj = parseISO(app.scheduled_at);
|
||||||
return isValid(dateObj) && isFuture(dateObj);
|
return isValid(dateObj) && isFuture(dateObj);
|
||||||
});
|
});
|
||||||
|
|
||||||
return appointmentsToDisplay.reduce((acc, appointment) => {
|
return appointmentsToDisplay.reduce((acc, appointment) => {
|
||||||
const dateKey = format(parseISO(appointment.scheduled_at), "yyyy-MM-dd");
|
const dateKey = format(parseISO(appointment.scheduled_at), "yyyy-MM-dd");
|
||||||
@ -162,7 +162,7 @@ export default function DoctorAppointmentsPage() {
|
|||||||
<Card>
|
<Card>
|
||||||
<CardHeader><CardTitle className="flex items-center"><CalendarIcon className="mr-2 h-5 w-5" />Filtrar por Data</CardTitle><CardDescription>Selecione um dia para ver os detalhes.</CardDescription></CardHeader>
|
<CardHeader><CardTitle className="flex items-center"><CalendarIcon className="mr-2 h-5 w-5" />Filtrar por Data</CardTitle><CardDescription>Selecione um dia para ver os detalhes.</CardDescription></CardHeader>
|
||||||
<CardContent className="flex justify-center p-2">
|
<CardContent className="flex justify-center p-2">
|
||||||
<CalendarShadcn mode="single" selected={selectedDate} onSelect={setSelectedDate} modifiers={{ booked: bookedDays }} modifiersClassNames={{ booked: "bg-primary/20" }} className="rounded-md border p-2" locale={ptBR}/>
|
<CalendarShadcn mode="single" selected={selectedDate} onSelect={setSelectedDate} modifiers={{ booked: bookedDays }} modifiersClassNames={{ booked: "bg-primary/20" }} className="rounded-md border p-2" locale={ptBR} />
|
||||||
</CardContent>
|
</CardContent>
|
||||||
</Card>
|
</Card>
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
@ -24,6 +24,15 @@ import Link from "next/link";
|
|||||||
import { useEffect, useState } from "react";
|
import { useEffect, useState } from "react";
|
||||||
import { toast } from "@/hooks/use-toast";
|
import { toast } from "@/hooks/use-toast";
|
||||||
|
|
||||||
|
// --- IMPORTS ADICIONADOS PARA A CORREÇÃO ---
|
||||||
|
import { useAuthLayout } from "@/hooks/useAuthLayout";
|
||||||
|
import { patientsService } from "@/services/patientsApi.mjs";
|
||||||
|
// --- FIM DOS IMPORTS ADICIONADOS ---
|
||||||
|
|
||||||
|
import { appointmentsService } from "@/services/appointmentsApi.mjs";
|
||||||
|
import { format, parseISO, isAfter, isSameMonth, startOfToday } from "date-fns";
|
||||||
|
import { ptBR } from "date-fns/locale";
|
||||||
|
|
||||||
import { AvailabilityService } from "@/services/availabilityApi.mjs";
|
import { AvailabilityService } from "@/services/availabilityApi.mjs";
|
||||||
import { exceptionsService } from "@/services/exceptionApi.mjs";
|
import { exceptionsService } from "@/services/exceptionApi.mjs";
|
||||||
import { doctorsService } from "@/services/doctorsApi.mjs";
|
import { doctorsService } from "@/services/doctorsApi.mjs";
|
||||||
@ -122,127 +131,120 @@ interface Exception {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export default function PatientDashboard() {
|
export default function PatientDashboard() {
|
||||||
const [loggedDoctor, setLoggedDoctor] = useState<Doctor>();
|
// --- USA O HOOK DE AUTENTICAÇÃO PARA PEGAR O USUÁRIO LOGADO ---
|
||||||
const [userData, setUserData] = useState<UserData>();
|
const { user } = useAuthLayout({ requiredRole: ['medico'] });
|
||||||
const [availability, setAvailability] = useState<any | null>(null);
|
|
||||||
const [exceptions, setExceptions] = useState<Exception[]>([]);
|
|
||||||
const [schedule, setSchedule] = useState<
|
|
||||||
Record<string, { start: string; end: string }[]>
|
|
||||||
>({});
|
|
||||||
const formatTime = (time?: string | null) =>
|
|
||||||
time?.split(":")?.slice(0, 2).join(":") ?? "";
|
|
||||||
const [deleteDialogOpen, setDeleteDialogOpen] = useState(false);
|
|
||||||
const [exceptionToDelete, setExceptionToDelete] = useState<string | null>(
|
|
||||||
null
|
|
||||||
);
|
|
||||||
const [error, setError] = useState<string | null>(null);
|
|
||||||
|
|
||||||
// Mapa de tradução
|
const [loggedDoctor, setLoggedDoctor] = useState<Doctor | null>(null);
|
||||||
const weekdaysPT: Record<string, string> = {
|
const [userData, setUserData] = useState<UserData>();
|
||||||
sunday: "Domingo",
|
const [availability, setAvailability] = useState<any | null>(null);
|
||||||
monday: "Segunda",
|
const [exceptions, setExceptions] = useState<Exception[]>([]);
|
||||||
tuesday: "Terça",
|
const [schedule, setSchedule] = useState<Record<string, { start: string; end: string }[]>>({});
|
||||||
wednesday: "Quarta",
|
const formatTime = (time?: string | null) => time?.split(":")?.slice(0, 2).join(":") ?? "";
|
||||||
thursday: "Quinta",
|
const [deleteDialogOpen, setDeleteDialogOpen] = useState(false);
|
||||||
friday: "Sexta",
|
const [exceptionToDelete, setExceptionToDelete] = useState<string | null>(null);
|
||||||
saturday: "Sábado",
|
const [error, setError] = useState<string | null>(null);
|
||||||
};
|
|
||||||
|
|
||||||
useEffect(() => {
|
// --- ESTADOS PARA OS CARDS ATUALIZADOS ---
|
||||||
const fetchData = async () => {
|
const [nextAppointment, setNextAppointment] = useState<EnrichedAppointment | null>(null);
|
||||||
try {
|
const [monthlyCount, setMonthlyCount] = useState<number>(0);
|
||||||
const doctorsList: Doctor[] = await doctorsService.list();
|
|
||||||
const doctor = doctorsList[0];
|
|
||||||
|
|
||||||
// Salva no estado
|
const weekdaysPT: Record<string, string> = { sunday: "Domingo", monday: "Segunda", tuesday: "Terça", wednesday: "Quarta", thursday: "Quinta", friday: "Sexta", saturday: "Sábado" };
|
||||||
setLoggedDoctor(doctor);
|
|
||||||
|
|
||||||
// Busca disponibilidade
|
// ▼▼▼ LÓGICA DE BUSCA CORRIGIDA E ATUALIZADA ▼▼▼
|
||||||
const availabilityList = await AvailabilityService.list();
|
useEffect(() => {
|
||||||
|
const fetchData = async () => {
|
||||||
|
if (!user?.id) return; // Aguarda o usuário ser carregado
|
||||||
|
|
||||||
// Filtra já com a variável local
|
try {
|
||||||
const filteredAvail = availabilityList.filter(
|
// Encontra o perfil de médico correspondente ao usuário logado
|
||||||
(disp: { doctor_id: string }) => disp.doctor_id === doctor?.id
|
const doctorsList: Doctor[] = await doctorsService.list();
|
||||||
);
|
const currentDoctor = doctorsList.find(doc => doc.user_id === user.id);
|
||||||
setAvailability(filteredAvail);
|
|
||||||
|
if (!currentDoctor) {
|
||||||
|
setError("Perfil de médico não encontrado para este usuário.");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
setLoggedDoctor(currentDoctor);
|
||||||
|
|
||||||
|
// Busca todos os dados necessários em paralelo
|
||||||
|
const [appointmentsList, patientsList, availabilityList, exceptionsList] = await Promise.all([
|
||||||
|
appointmentsService.list(),
|
||||||
|
patientsService.list(),
|
||||||
|
AvailabilityService.list(),
|
||||||
|
exceptionsService.list()
|
||||||
|
]);
|
||||||
|
|
||||||
|
// Mapeia pacientes por ID para consulta rápida
|
||||||
|
const patientsMap = new Map(patientsList.map((p: any) => [p.id, p.full_name]));
|
||||||
|
|
||||||
|
// Filtra e enriquece as consultas APENAS do médico logado
|
||||||
|
const doctorAppointments = appointmentsList
|
||||||
|
.filter((apt: any) => apt.doctor_id === currentDoctor.id)
|
||||||
|
.map((apt: any): EnrichedAppointment => ({
|
||||||
|
...apt,
|
||||||
|
patientName: patientsMap.get(apt.patient_id) || "Paciente Desconhecido",
|
||||||
|
}));
|
||||||
|
|
||||||
|
// 1. Lógica para "Próxima Consulta"
|
||||||
|
const today = startOfToday();
|
||||||
|
const upcomingAppointments = doctorAppointments
|
||||||
|
.filter(apt => isAfter(parseISO(apt.scheduled_at), today))
|
||||||
|
.sort((a, b) => new Date(a.scheduled_at).getTime() - new Date(b.scheduled_at).getTime());
|
||||||
|
setNextAppointment(upcomingAppointments[0] || null);
|
||||||
|
|
||||||
|
// 2. Lógica para "Consultas Este Mês" (apenas ativas)
|
||||||
|
const activeStatuses = ['confirmed', 'requested', 'checked_in'];
|
||||||
|
const currentMonthAppointments = doctorAppointments.filter(apt =>
|
||||||
|
isSameMonth(parseISO(apt.scheduled_at), new Date()) && activeStatuses.includes(apt.status)
|
||||||
|
);
|
||||||
|
setMonthlyCount(currentMonthAppointments.length);
|
||||||
|
|
||||||
|
// Busca e filtra o restante dos dados
|
||||||
|
setAvailability(availabilityList.filter((d: any) => d.doctor_id === currentDoctor.id));
|
||||||
|
setExceptions(exceptionsList.filter((e: any) => e.doctor_id === currentDoctor.id));
|
||||||
|
|
||||||
// Busca exceções
|
|
||||||
const exceptionsList = await exceptionsService.list();
|
|
||||||
const filteredExc = exceptionsList.filter((exc: { doctor_id: string }) => exc.doctor_id === doctor?.id);
|
|
||||||
setExceptions(filteredExc);
|
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
alert(`${e?.error} ${e?.message}`);
|
setError(e?.message || "Erro ao buscar dados do dashboard");
|
||||||
|
console.error("Erro no dashboard:", e);
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
fetchData();
|
fetchData();
|
||||||
}, []);
|
}, [user]); // A busca de dados agora depende do usuário logado
|
||||||
|
// ▲▲▲ FIM DA LÓGICA DE BUSCA ATUALIZADA ▲▲▲
|
||||||
|
|
||||||
// Função auxiliar para filtrar o id do doctor correspondente ao user logado
|
function findDoctorById(id: string, doctors: Doctor[]) {
|
||||||
function findDoctorById(id: string, doctors: Doctor[]) {
|
return doctors.find((doctor) => doctor.user_id === id);
|
||||||
return doctors.find((doctor) => doctor.user_id === id);
|
|
||||||
}
|
|
||||||
|
|
||||||
const openDeleteDialog = (exceptionId: string) => {
|
|
||||||
setExceptionToDelete(exceptionId);
|
|
||||||
setDeleteDialogOpen(true);
|
|
||||||
};
|
|
||||||
|
|
||||||
const handleDeleteException = async (ExceptionId: string) => {
|
|
||||||
try {
|
|
||||||
alert(ExceptionId);
|
|
||||||
const res = await exceptionsService.delete(ExceptionId);
|
|
||||||
|
|
||||||
let message = "Exceção deletada com sucesso";
|
|
||||||
try {
|
|
||||||
if (res) {
|
|
||||||
throw new Error(
|
|
||||||
`${res.error} ${res.message}` || "A API retornou erro"
|
|
||||||
);
|
|
||||||
} else {
|
|
||||||
console.log(message);
|
|
||||||
}
|
|
||||||
} catch {}
|
|
||||||
|
|
||||||
toast({
|
|
||||||
title: "Sucesso",
|
|
||||||
description: message,
|
|
||||||
});
|
|
||||||
|
|
||||||
setExceptions((prev: Exception[]) =>
|
|
||||||
prev.filter((p) => String(p.id) !== String(ExceptionId))
|
|
||||||
);
|
|
||||||
} catch (e: any) {
|
|
||||||
toast({
|
|
||||||
title: "Erro",
|
|
||||||
description: e?.message || "Não foi possível deletar a exceção",
|
|
||||||
});
|
|
||||||
}
|
}
|
||||||
setDeleteDialogOpen(false);
|
|
||||||
setExceptionToDelete(null);
|
|
||||||
};
|
|
||||||
|
|
||||||
function formatAvailability(data: Availability[]) {
|
const openDeleteDialog = (exceptionId: string) => {
|
||||||
// Agrupar os horários por dia da semana
|
setExceptionToDelete(exceptionId);
|
||||||
const schedule = data.reduce((acc: any, item) => {
|
setDeleteDialogOpen(true);
|
||||||
const { weekday, start_time, end_time } = item;
|
};
|
||||||
|
|
||||||
// Se o dia ainda não existe, cria o array
|
const handleDeleteException = async (ExceptionId: string) => {
|
||||||
if (!acc[weekday]) {
|
try {
|
||||||
acc[weekday] = [];
|
const res = await exceptionsService.delete(ExceptionId);
|
||||||
}
|
if (res && res.error) { throw new Error(res.message || "A API retornou um erro"); }
|
||||||
|
toast({ title: "Sucesso", description: "Exceção deletada com sucesso" });
|
||||||
|
setExceptions((prev: Exception[]) => prev.filter((p) => String(p.id) !== String(ExceptionId)));
|
||||||
|
} catch (e: any) {
|
||||||
|
toast({ title: "Erro", description: e?.message || "Não foi possível deletar a exceção" });
|
||||||
|
}
|
||||||
|
setDeleteDialogOpen(false);
|
||||||
|
setExceptionToDelete(null);
|
||||||
|
};
|
||||||
|
|
||||||
// Adiciona o horário do dia
|
function formatAvailability(data: Availability[]) {
|
||||||
acc[weekday].push({
|
if (!data) return {};
|
||||||
start: start_time,
|
const schedule = data.reduce((acc: any, item) => {
|
||||||
end: end_time,
|
const { weekday, start_time, end_time } = item;
|
||||||
});
|
if (!acc[weekday]) acc[weekday] = [];
|
||||||
|
acc[weekday].push({ start: start_time, end: end_time });
|
||||||
return acc;
|
return acc;
|
||||||
}, {} as Record<string, { start: string; end: string }[]>);
|
}, {} as Record<string, { start: string; end: string }[]>);
|
||||||
|
return schedule;
|
||||||
return schedule;
|
}
|
||||||
}
|
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
if (availability) {
|
if (availability) {
|
||||||
@ -261,32 +263,45 @@ export default function PatientDashboard() {
|
|||||||
</p>
|
</p>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div className="grid md:grid-cols-2 lg:grid-cols-3 gap-6">
|
<div className="grid md:grid-cols-2 lg:grid-cols-3 gap-6">
|
||||||
<Card>
|
{/* ▼▼▼ CARD "PRÓXIMA CONSULTA" CORRIGIDO PARA MOSTRAR NOME DO PACIENTE ▼▼▼ */}
|
||||||
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
|
<Card>
|
||||||
<CardTitle className="text-sm font-medium">
|
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
|
||||||
Próxima Consulta
|
<CardTitle className="text-sm font-medium">Próxima Consulta</CardTitle>
|
||||||
</CardTitle>
|
<Calendar className="h-4 w-4 text-muted-foreground" />
|
||||||
<Calendar className="h-4 w-4 text-muted-foreground" />
|
</CardHeader>
|
||||||
</CardHeader>
|
<CardContent>
|
||||||
<CardContent>
|
{nextAppointment ? (
|
||||||
<div className="text-2xl font-bold">02 out</div>
|
<>
|
||||||
<p className="text-xs text-muted-foreground">Dr. Silva - 14:30</p>
|
<div className="text-2xl font-bold capitalize">
|
||||||
</CardContent>
|
{format(parseISO(nextAppointment.scheduled_at), "dd MMM", { locale: ptBR })}
|
||||||
</Card>
|
</div>
|
||||||
|
<p className="text-xs text-muted-foreground">
|
||||||
|
{nextAppointment.patientName} - {format(parseISO(nextAppointment.scheduled_at), "HH:mm")}
|
||||||
|
</p>
|
||||||
|
</>
|
||||||
|
) : (
|
||||||
|
<>
|
||||||
|
<div className="text-2xl font-bold">Nenhuma</div>
|
||||||
|
<p className="text-xs text-muted-foreground">Sem próximas consultas</p>
|
||||||
|
</>
|
||||||
|
)}
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
{/* ▲▲▲ FIM DO CARD ATUALIZADO ▲▲▲ */}
|
||||||
|
|
||||||
<Card>
|
{/* ▼▼▼ CARD "CONSULTAS ESTE MÊS" CORRIGIDO PARA CONTAGEM CORRETA ▼▼▼ */}
|
||||||
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
|
<Card>
|
||||||
<CardTitle className="text-sm font-medium">
|
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
|
||||||
Consultas Este Mês
|
<CardTitle className="text-sm font-medium">Consultas Este Mês</CardTitle>
|
||||||
</CardTitle>
|
<Clock className="h-4 w-4 text-muted-foreground" />
|
||||||
<Clock className="h-4 w-4 text-muted-foreground" />
|
</CardHeader>
|
||||||
</CardHeader>
|
<CardContent>
|
||||||
<CardContent>
|
<div className="text-2xl font-bold">{monthlyCount}</div>
|
||||||
<div className="text-2xl font-bold">4</div>
|
<p className="text-xs text-muted-foreground">{monthlyCount === 1 ? '1 agendada' : `${monthlyCount} agendadas`}</p>
|
||||||
<p className="text-xs text-muted-foreground">4 agendadas</p>
|
</CardContent>
|
||||||
</CardContent>
|
</Card>
|
||||||
</Card>
|
{/* ▲▲▲ FIM DO CARD ATUALIZADO ▲▲▲ */}
|
||||||
|
|
||||||
<Card>
|
<Card>
|
||||||
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
|
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
|
||||||
@ -300,23 +315,22 @@ export default function PatientDashboard() {
|
|||||||
</Card>
|
</Card>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div className="grid md:grid-cols-2 gap-6">
|
{/* O restante do código permanece o mesmo */}
|
||||||
<Card>
|
<div className="grid md:grid-cols-2 gap-6">
|
||||||
<CardHeader>
|
<Card>
|
||||||
<CardTitle>Ações Rápidas</CardTitle>
|
<CardHeader>
|
||||||
<CardDescription>
|
<CardTitle>Ações Rápidas</CardTitle>
|
||||||
Acesse rapidamente as principais funcionalidades
|
<CardDescription>Acesse rapidamente as principais funcionalidades</CardDescription>
|
||||||
</CardDescription>
|
</CardHeader>
|
||||||
</CardHeader>
|
<CardContent className="space-y-4">
|
||||||
<CardContent className="space-y-4">
|
<Link href="/doctor/medicos/consultas">
|
||||||
<Link href="/doctor/medicos/consultas">
|
<Button className="w-full justify-start">
|
||||||
<Button className="bg-blue-600 hover:bg-blue-700 text-white cursor-pointer">
|
<Calendar className="mr-2 h-4 w-4" />
|
||||||
<Calendar className="mr-2 h-4 w-4 text-white" />
|
Ver Minhas Consultas
|
||||||
Ver Minhas Consultas
|
</Button>
|
||||||
</Button>
|
</Link>
|
||||||
</Link>
|
</CardContent>
|
||||||
</CardContent>
|
</Card>
|
||||||
</Card>
|
|
||||||
|
|
||||||
<Card>
|
<Card>
|
||||||
<CardHeader>
|
<CardHeader>
|
||||||
@ -355,16 +369,15 @@ export default function PatientDashboard() {
|
|||||||
<CardDescription>Bloqueios e liberações eventuais de agenda</CardDescription>
|
<CardDescription>Bloqueios e liberações eventuais de agenda</CardDescription>
|
||||||
</CardHeader>
|
</CardHeader>
|
||||||
|
|
||||||
<CardContent className="space-y-4 grid md:grid-cols-7 gap-2">
|
<CardContent className="space-y-4 grid md:grid-cols-7 gap-2">
|
||||||
{exceptions && exceptions.length > 0 ? (
|
{exceptions && exceptions.length > 0 ? (
|
||||||
exceptions.map((ex: Exception) => {
|
exceptions.map((ex: Exception) => {
|
||||||
// Formata data e hora
|
const date = new Date(ex.date).toLocaleDateString("pt-BR", {
|
||||||
const date = new Date(ex.date).toLocaleDateString("pt-BR", {
|
weekday: "long",
|
||||||
weekday: "long",
|
day: "2-digit",
|
||||||
day: "2-digit",
|
month: "long",
|
||||||
month: "long",
|
timeZone: "UTC"
|
||||||
timeZone: "UTC",
|
});
|
||||||
});
|
|
||||||
|
|
||||||
const startTime = formatTime(ex.start_time);
|
const startTime = formatTime(ex.start_time);
|
||||||
const endTime = formatTime(ex.end_time);
|
const endTime = formatTime(ex.end_time);
|
||||||
@ -374,7 +387,11 @@ export default function PatientDashboard() {
|
|||||||
<div className="flex flex-col items-center justify-between p-3 bg-blue-50 rounded-lg shadow-sm">
|
<div className="flex flex-col items-center justify-between p-3 bg-blue-50 rounded-lg shadow-sm">
|
||||||
<div className="text-center">
|
<div className="text-center">
|
||||||
<p className="font-semibold capitalize">{date}</p>
|
<p className="font-semibold capitalize">{date}</p>
|
||||||
<p className="text-sm text-gray-600">{startTime && endTime ? `${startTime} - ${endTime}` : "Dia todo"}</p>
|
<p className="text-sm text-gray-600">
|
||||||
|
{startTime && endTime
|
||||||
|
? `${startTime} - ${endTime}`
|
||||||
|
: "Dia todo"}
|
||||||
|
</p>
|
||||||
</div>
|
</div>
|
||||||
<div className="text-center mt-2">
|
<div className="text-center mt-2">
|
||||||
<p className={`text-sm font-medium ${ex.kind === "bloqueio" ? "text-red-600" : "text-green-600"}`}>{ex.kind === "bloqueio" ? "Bloqueio" : "Liberação"}</p>
|
<p className={`text-sm font-medium ${ex.kind === "bloqueio" ? "text-red-600" : "text-green-600"}`}>{ex.kind === "bloqueio" ? "Bloqueio" : "Liberação"}</p>
|
||||||
|
|||||||
@ -144,10 +144,6 @@ export default function EditarLaudoPage() {
|
|||||||
<CardContent>
|
<CardContent>
|
||||||
<form onSubmit={handleSubmit} className="space-y-6">
|
<form onSubmit={handleSubmit} className="space-y-6">
|
||||||
<div className="grid grid-cols-1 md:grid-cols-2 gap-6">
|
<div className="grid grid-cols-1 md:grid-cols-2 gap-6">
|
||||||
<div className="space-y-2">
|
|
||||||
<Label htmlFor="order_number">Nº do Pedido</Label>
|
|
||||||
<Input id="order_number" value={formData.order_number || ''} onChange={handleInputChange} />
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2">
|
<div className="space-y-2">
|
||||||
<Label htmlFor="exam">Exame</Label>
|
<Label htmlFor="exam">Exame</Label>
|
||||||
<Input id="exam" value={formData.exam || ''} onChange={handleInputChange} />
|
<Input id="exam" value={formData.exam || ''} onChange={handleInputChange} />
|
||||||
|
|||||||
@ -1,5 +1,4 @@
|
|||||||
|
"use client";
|
||||||
"use client";
|
|
||||||
|
|
||||||
import { useParams, useRouter } from "next/navigation";
|
import { useParams, useRouter } from "next/navigation";
|
||||||
import { useState } from "react";
|
import { useState } from "react";
|
||||||
@ -106,10 +105,6 @@ export default function NovoLaudoPage() {
|
|||||||
<CardContent>
|
<CardContent>
|
||||||
<form onSubmit={handleSubmit} className="space-y-6">
|
<form onSubmit={handleSubmit} className="space-y-6">
|
||||||
<div className="grid grid-cols-1 md:grid-cols-2 gap-6">
|
<div className="grid grid-cols-1 md:grid-cols-2 gap-6">
|
||||||
<div className="space-y-2">
|
|
||||||
<Label htmlFor="order_number">Nº do Pedido</Label>
|
|
||||||
<Input id="order_number" value={formData.order_number} onChange={handleInputChange} />
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2">
|
<div className="space-y-2">
|
||||||
<Label htmlFor="exam">Exame</Label>
|
<Label htmlFor="exam">Exame</Label>
|
||||||
<Input id="exam" value={formData.exam} onChange={handleInputChange} />
|
<Input id="exam" value={formData.exam} onChange={handleInputChange} />
|
||||||
|
|||||||
@ -8,7 +8,7 @@ import {
|
|||||||
DropdownMenuItem,
|
DropdownMenuItem,
|
||||||
DropdownMenuTrigger,
|
DropdownMenuTrigger,
|
||||||
} from "@/components/ui/dropdown-menu";
|
} from "@/components/ui/dropdown-menu";
|
||||||
import { Eye, Edit, Calendar, Trash2, Loader2 } from "lucide-react";
|
import { Eye, Edit, Calendar, Trash2, Loader2, MoreVertical } from "lucide-react";
|
||||||
import { api } from "@/services/api.mjs";
|
import { api } from "@/services/api.mjs";
|
||||||
import { PatientDetailsModal } from "@/components/ui/patient-details-modal";
|
import { PatientDetailsModal } from "@/components/ui/patient-details-modal";
|
||||||
import {
|
import {
|
||||||
@ -50,7 +50,7 @@ export default function PacientesPage() {
|
|||||||
const [isModalOpen, setIsModalOpen] = useState(false);
|
const [isModalOpen, setIsModalOpen] = useState(false);
|
||||||
|
|
||||||
// --- Lógica de Paginação INÍCIO ---
|
// --- Lógica de Paginação INÍCIO ---
|
||||||
const [itemsPerPage, setItemsPerPage] = useState(5);
|
const [itemsPerPage, setItemsPerPage] = useState(10);
|
||||||
const [currentPage, setCurrentPage] = useState(1);
|
const [currentPage, setCurrentPage] = useState(1);
|
||||||
|
|
||||||
const totalPages = Math.ceil(pacientes.length / itemsPerPage);
|
const totalPages = Math.ceil(pacientes.length / itemsPerPage);
|
||||||
@ -197,14 +197,6 @@ export default function PacientesPage() {
|
|||||||
<SelectItem value="20">20 por página</SelectItem>
|
<SelectItem value="20">20 por página</SelectItem>
|
||||||
</SelectContent>
|
</SelectContent>
|
||||||
</Select>
|
</Select>
|
||||||
<Link href="/doctor/pacientes/novo" className="w-full sm:w-auto">
|
|
||||||
<Button
|
|
||||||
variant="default"
|
|
||||||
className="bg-blue-600 hover:bg-blue-700 w-full sm:w-auto"
|
|
||||||
>
|
|
||||||
Novo Paciente
|
|
||||||
</Button>
|
|
||||||
</Link>
|
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
@ -291,9 +283,10 @@ export default function PacientesPage() {
|
|||||||
<td className="p-3 sm:p-4">
|
<td className="p-3 sm:p-4">
|
||||||
<DropdownMenu>
|
<DropdownMenu>
|
||||||
<DropdownMenuTrigger asChild>
|
<DropdownMenuTrigger asChild>
|
||||||
<button className="text-primary hover:underline text-sm sm:text-base">
|
<Button variant="ghost" className="h-8 w-8 p-0">
|
||||||
Ações
|
<span className="sr-only">Abrir menu</span>
|
||||||
</button>
|
<MoreVertical className="h-4 w-4" />
|
||||||
|
</Button>
|
||||||
</DropdownMenuTrigger>
|
</DropdownMenuTrigger>
|
||||||
<DropdownMenuContent align="end">
|
<DropdownMenuContent align="end">
|
||||||
<DropdownMenuItem
|
<DropdownMenuItem
|
||||||
@ -303,19 +296,11 @@ export default function PacientesPage() {
|
|||||||
Ver detalhes
|
Ver detalhes
|
||||||
</DropdownMenuItem>
|
</DropdownMenuItem>
|
||||||
<DropdownMenuItem asChild>
|
<DropdownMenuItem asChild>
|
||||||
<Link href={`/doctor/pacientes/${p.id}/laudos`}>
|
<Link href={`/doctor/medicos/${p.id}/laudos`}>
|
||||||
<Edit className="w-4 h-4 mr-2" />
|
<Edit className="w-4 h-4 mr-2" />
|
||||||
Laudos
|
Laudos
|
||||||
</Link>
|
</Link>
|
||||||
</DropdownMenuItem>
|
</DropdownMenuItem>
|
||||||
<DropdownMenuItem
|
|
||||||
onClick={() =>
|
|
||||||
alert(`Agenda para paciente ID: ${p.id}`)
|
|
||||||
}
|
|
||||||
>
|
|
||||||
<Calendar className="w-4 h-4 mr-2" />
|
|
||||||
Ver agenda
|
|
||||||
</DropdownMenuItem>
|
|
||||||
<DropdownMenuItem
|
<DropdownMenuItem
|
||||||
onClick={() => {
|
onClick={() => {
|
||||||
const newPacientes = pacientes.filter(
|
const newPacientes = pacientes.filter(
|
||||||
|
|||||||
@ -1,8 +1,6 @@
|
|||||||
@import 'tailwindcss';
|
@import "tailwindcss";
|
||||||
@import 'tw-animate-css';
|
@import "tw-animate-css";
|
||||||
|
|
||||||
@custom-variant dark (&:is(.dark *));
|
@custom-variant dark (&:is(.dark *));
|
||||||
|
|
||||||
:root {
|
:root {
|
||||||
--background: oklch(1 0 0);
|
--background: oklch(1 0 0);
|
||||||
--foreground: oklch(0.145 0 0);
|
--foreground: oklch(0.145 0 0);
|
||||||
@ -75,33 +73,33 @@
|
|||||||
}
|
}
|
||||||
|
|
||||||
.high-contrast {
|
.high-contrast {
|
||||||
--background: oklch(0 0 0);
|
--background: oklch(0 0 0);
|
||||||
--foreground: oklch(1 0.5 100);
|
--foreground: oklch(1 0.5 100);
|
||||||
--card: oklch(0 0 0);
|
--card: oklch(0 0 0);
|
||||||
--card-foreground: oklch(1 0.5 100);
|
--card-foreground: oklch(1 0.5 100);
|
||||||
--popover: oklch(0 0 0);
|
--popover: oklch(0 0 0);
|
||||||
--popover-foreground: oklch(1 0.5 100);
|
--popover-foreground: oklch(1 0.5 100);
|
||||||
--primary: oklch(1 0.5 100);
|
--primary: oklch(1 0.5 100);
|
||||||
--primary-foreground: oklch(0 0 0);
|
--primary-foreground: oklch(0 0 0);
|
||||||
--secondary: oklch(0 0 0);
|
--secondary: oklch(0 0 0);
|
||||||
--secondary-foreground: oklch(1 0.5 100);
|
--secondary-foreground: oklch(1 0.5 100);
|
||||||
--muted: oklch(0 0 0);
|
--muted: oklch(0 0 0);
|
||||||
--muted-foreground: oklch(1 0.5 100);
|
--muted-foreground: oklch(1 0.5 100);
|
||||||
--accent: oklch(0 0 0);
|
--accent: oklch(0 0 0);
|
||||||
--accent-foreground: oklch(1 0.5 100);
|
--accent-foreground: oklch(1 0.5 100);
|
||||||
--destructive: oklch(0.5 0.3 30);
|
--destructive: oklch(0.5 0.3 30);
|
||||||
--destructive-foreground: oklch(0 0 0);
|
--destructive-foreground: oklch(0 0 0);
|
||||||
--border: oklch(1 0.5 100);
|
--border: oklch(1 0.5 100);
|
||||||
--input: oklch(0 0 0);
|
--input: oklch(0 0 0);
|
||||||
--ring: oklch(1 0.5 100);
|
--ring: oklch(1 0.5 100);
|
||||||
--sidebar: oklch(0 0 0);
|
--sidebar: oklch(0 0 0);
|
||||||
--sidebar-foreground: oklch(1 0.5 100);
|
--sidebar-foreground: oklch(1 0.5 100);
|
||||||
--sidebar-primary: oklch(1 0.5 100);
|
--sidebar-primary: oklch(1 0.5 100);
|
||||||
--sidebar-primary-foreground: oklch(0 0 0);
|
--sidebar-primary-foreground: oklch(0 0 0);
|
||||||
--sidebar-accent: oklch(0 0 0);
|
--sidebar-accent: oklch(0 0 0);
|
||||||
--sidebar-accent-foreground: oklch(1 0.5 100);
|
--sidebar-accent-foreground: oklch(1 0.5 100);
|
||||||
--sidebar-border: oklch(1 0.5 100);
|
--sidebar-border: oklch(1 0.5 100);
|
||||||
--sidebar-ring: oklch(1 0.5 100);
|
--sidebar-ring: oklch(1 0.5 100);
|
||||||
}
|
}
|
||||||
|
|
||||||
@theme inline {
|
@theme inline {
|
||||||
|
|||||||
@ -8,12 +8,13 @@ import {
|
|||||||
CardTitle,
|
CardTitle,
|
||||||
} from "@/components/ui/card";
|
} from "@/components/ui/card";
|
||||||
import { Button } from "@/components/ui/button";
|
import { Button } from "@/components/ui/button";
|
||||||
import { Calendar, Clock, Plus, User } from "lucide-react";
|
import { Clock, Plus, User } from "lucide-react"; // Removi 'Calendar' que não estava sendo usado
|
||||||
import Link from "next/link";
|
import Link from "next/link";
|
||||||
import React, { useState, useEffect } from "react";
|
import React, { useState, useEffect } from "react";
|
||||||
import { usersService } from "services/usersApi.mjs";
|
import { usersService } from "services/usersApi.mjs";
|
||||||
import { doctorsService } from "services/doctorsApi.mjs";
|
import { doctorsService } from "services/doctorsApi.mjs";
|
||||||
import Sidebar from "@/components/Sidebar";
|
import Sidebar from "@/components/Sidebar";
|
||||||
|
import { api } from "services/api.mjs"; // <-- ADICIONEI ESTE IMPORT
|
||||||
|
|
||||||
export default function ManagerDashboard() {
|
export default function ManagerDashboard() {
|
||||||
// 🔹 Estados para usuários
|
// 🔹 Estados para usuários
|
||||||
@ -24,20 +25,48 @@ export default function ManagerDashboard() {
|
|||||||
const [doctors, setDoctors] = useState<any[]>([]);
|
const [doctors, setDoctors] = useState<any[]>([]);
|
||||||
const [loadingDoctors, setLoadingDoctors] = useState(true);
|
const [loadingDoctors, setLoadingDoctors] = useState(true);
|
||||||
|
|
||||||
// 🔹 Buscar primeiro usuário
|
// 🔹 Buscar primeiro usuário (LÓGICA ATUALIZADA)
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
async function fetchFirstUser() {
|
async function fetchFirstUser() {
|
||||||
try {
|
setLoadingUser(true); // Garante que o estado de loading inicie como true
|
||||||
const data = await usersService.list_roles();
|
try {
|
||||||
if (Array.isArray(data) && data.length > 0) {
|
// 1. Busca a lista de usuários com seus cargos (roles)
|
||||||
setFirstUser(data[0]);
|
const rolesData = await usersService.list_roles();
|
||||||
|
|
||||||
|
// 2. Verifica se a lista não está vazia
|
||||||
|
if (Array.isArray(rolesData) && rolesData.length > 0) {
|
||||||
|
const firstUserRole = rolesData[0];
|
||||||
|
const firstUserId = firstUserRole.user_id;
|
||||||
|
|
||||||
|
if (!firstUserId) {
|
||||||
|
throw new Error("O primeiro usuário da lista não possui um ID válido.");
|
||||||
|
}
|
||||||
|
|
||||||
|
// 3. Usa o ID para buscar o perfil (com nome e email) do usuário
|
||||||
|
const profileData = await api.get(
|
||||||
|
`/rest/v1/profiles?select=full_name,email&id=eq.${firstUserId}`
|
||||||
|
);
|
||||||
|
|
||||||
|
// 4. Verifica se o perfil foi encontrado
|
||||||
|
if (Array.isArray(profileData) && profileData.length > 0) {
|
||||||
|
const userProfile = profileData[0];
|
||||||
|
// 5. Combina os dados do cargo e do perfil e atualiza o estado
|
||||||
|
setFirstUser({
|
||||||
|
...firstUserRole,
|
||||||
|
...userProfile
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
// Se não encontrar o perfil, exibe os dados que temos
|
||||||
|
setFirstUser(firstUserRole);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
} catch (error) {
|
||||||
|
console.error("Erro ao carregar usuário:", error);
|
||||||
|
setFirstUser(null); // Limpa o usuário em caso de erro
|
||||||
|
} finally {
|
||||||
|
setLoadingUser(false);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
} catch (error) {
|
|
||||||
console.error("Erro ao carregar usuário:", error);
|
|
||||||
} finally {
|
|
||||||
setLoadingUser(false);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
fetchFirstUser();
|
fetchFirstUser();
|
||||||
}, []);
|
}, []);
|
||||||
@ -71,23 +100,9 @@ export default function ManagerDashboard() {
|
|||||||
</p>
|
</p>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
{/* Cards principais */}
|
{/* Cards principais */}
|
||||||
<div className="grid md:grid-cols-2 lg:grid-cols-3 gap-6">
|
<div className="grid md:grid-cols-2 lg:grid-cols-3 gap-6">
|
||||||
{/* Card 1 */}
|
|
||||||
<Card>
|
|
||||||
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
|
|
||||||
<CardTitle className="text-sm font-medium">
|
|
||||||
Relatórios gerenciais
|
|
||||||
</CardTitle>
|
|
||||||
<Calendar className="h-4 w-4 text-muted-foreground" />
|
|
||||||
</CardHeader>
|
|
||||||
<CardContent>
|
|
||||||
<div className="text-2xl font-bold">0</div>
|
|
||||||
<p className="text-xs text-muted-foreground">
|
|
||||||
Relatórios disponíveis
|
|
||||||
</p>
|
|
||||||
</CardContent>
|
|
||||||
</Card>
|
|
||||||
|
|
||||||
{/* Card 2 — Gestão de usuários */}
|
{/* Card 2 — Gestão de usuários */}
|
||||||
<Card>
|
<Card>
|
||||||
|
|||||||
@ -16,40 +16,40 @@ import { doctorsService } from "services/doctorsApi.mjs";
|
|||||||
const UF_LIST = ["AC", "AL", "AP", "AM", "BA", "CE", "DF", "ES", "GO", "MA", "MT", "MS", "MG", "PA", "PB", "PR", "PE", "PI", "RJ", "RN", "RS", "RO", "RR", "SC", "SP", "SE", "TO"];
|
const UF_LIST = ["AC", "AL", "AP", "AM", "BA", "CE", "DF", "ES", "GO", "MA", "MT", "MS", "MG", "PA", "PB", "PR", "PE", "PI", "RJ", "RN", "RS", "RO", "RR", "SC", "SP", "SE", "TO"];
|
||||||
|
|
||||||
interface DoctorFormData {
|
interface DoctorFormData {
|
||||||
nomeCompleto: string;
|
nomeCompleto: string;
|
||||||
crm: string;
|
crm: string;
|
||||||
crmEstado: string;
|
crmEstado: string;
|
||||||
especialidade: string;
|
especialidade: string;
|
||||||
cpf: string;
|
cpf: string;
|
||||||
email: string;
|
email: string;
|
||||||
dataNascimento: string;
|
dataNascimento: string;
|
||||||
rg: string;
|
rg: string;
|
||||||
telefoneCelular: string;
|
telefoneCelular: string;
|
||||||
telefone2: string;
|
telefone2: string;
|
||||||
cep: string;
|
cep: string;
|
||||||
endereco: string;
|
endereco: string;
|
||||||
numero: string;
|
numero: string;
|
||||||
complemento: string;
|
complemento: string;
|
||||||
bairro: string;
|
bairro: string;
|
||||||
cidade: string;
|
cidade: string;
|
||||||
estado: string;
|
estado: string;
|
||||||
ativo: boolean;
|
ativo: boolean;
|
||||||
observacoes: string;
|
observacoes: string;
|
||||||
}
|
}
|
||||||
const apiMap: { [K in keyof DoctorFormData]: string | null } = {
|
const apiMap: { [K in keyof DoctorFormData]: string | null } = {
|
||||||
nomeCompleto: 'full_name', crm: 'crm', crmEstado: 'crm_uf', especialidade: 'specialty',
|
nomeCompleto: 'full_name', crm: 'crm', crmEstado: 'crm_uf', especialidade: 'specialty',
|
||||||
cpf: 'cpf', email: 'email', dataNascimento: 'birth_date', rg: 'rg',
|
cpf: 'cpf', email: 'email', dataNascimento: 'birth_date', rg: 'rg',
|
||||||
telefoneCelular: 'phone_mobile', telefone2: 'phone2', cep: 'cep',
|
telefoneCelular: 'phone_mobile', telefone2: 'phone2', cep: 'cep',
|
||||||
endereco: 'street', numero: 'number', complemento: 'complement',
|
endereco: 'street', numero: 'number', complemento: 'complement',
|
||||||
bairro: 'neighborhood', cidade: 'city', estado: 'state', ativo: 'active',
|
bairro: 'neighborhood', cidade: 'city', estado: 'state', ativo: 'active',
|
||||||
observacoes: null,
|
observacoes: null,
|
||||||
};
|
};
|
||||||
|
|
||||||
const defaultFormData: DoctorFormData = {
|
const defaultFormData: DoctorFormData = {
|
||||||
nomeCompleto: '', crm: '', crmEstado: '', especialidade: '', cpf: '', email: '',
|
nomeCompleto: '', crm: '', crmEstado: '', especialidade: '', cpf: '', email: '',
|
||||||
dataNascimento: '', rg: '', telefoneCelular: '', telefone2: '', cep: '',
|
dataNascimento: '', rg: '', telefoneCelular: '', telefone2: '', cep: '',
|
||||||
endereco: '', numero: '', complemento: '', bairro: '', cidade: '', estado: '',
|
endereco: '', numero: '', complemento: '', bairro: '', cidade: '', estado: '',
|
||||||
ativo: true, observacoes: '',
|
ativo: true, observacoes: '',
|
||||||
};
|
};
|
||||||
|
|
||||||
const cleanNumber = (value: string): string => value.replace(/\D/g, '');
|
const cleanNumber = (value: string): string => value.replace(/\D/g, '');
|
||||||
@ -73,420 +73,420 @@ const formatPhoneMobile = (value: string): string => {
|
|||||||
};
|
};
|
||||||
|
|
||||||
export default function EditarMedicoPage() {
|
export default function EditarMedicoPage() {
|
||||||
const router = useRouter();
|
const router = useRouter();
|
||||||
const params = useParams();
|
const params = useParams();
|
||||||
const id = Array.isArray(params.id) ? params.id[0] : params.id;
|
const id = Array.isArray(params.id) ? params.id[0] : params.id;
|
||||||
const [formData, setFormData] = useState<DoctorFormData>(defaultFormData);
|
const [formData, setFormData] = useState<DoctorFormData>(defaultFormData);
|
||||||
const [loading, setLoading] = useState(true);
|
const [loading, setLoading] = useState(true);
|
||||||
const [isSaving, setIsSaving] = useState(false);
|
const [isSaving, setIsSaving] = useState(false);
|
||||||
const [error, setError] = useState<string | null>(null);
|
const [error, setError] = useState<string | null>(null);
|
||||||
const apiToFormMap: { [key: string]: keyof DoctorFormData } = {
|
const apiToFormMap: { [key: string]: keyof DoctorFormData } = {
|
||||||
'full_name': 'nomeCompleto', 'crm': 'crm', 'crm_uf': 'crmEstado', 'specialty': 'especialidade',
|
'full_name': 'nomeCompleto', 'crm': 'crm', 'crm_uf': 'crmEstado', 'specialty': 'especialidade',
|
||||||
'cpf': 'cpf', 'email': 'email', 'birth_date': 'dataNascimento', 'rg': 'rg',
|
'cpf': 'cpf', 'email': 'email', 'birth_date': 'dataNascimento', 'rg': 'rg',
|
||||||
'phone_mobile': 'telefoneCelular', 'phone2': 'telefone2', 'cep': 'cep',
|
'phone_mobile': 'telefoneCelular', 'phone2': 'telefone2', 'cep': 'cep',
|
||||||
'street': 'endereco', 'number': 'numero', 'complement': 'complemento',
|
'street': 'endereco', 'number': 'numero', 'complement': 'complemento',
|
||||||
'neighborhood': 'bairro', 'city': 'cidade', 'state': 'estado', 'active': 'ativo'
|
'neighborhood': 'bairro', 'city': 'cidade', 'state': 'estado', 'active': 'ativo'
|
||||||
};
|
|
||||||
|
|
||||||
|
|
||||||
useEffect(() => {
|
|
||||||
if (!id) return;
|
|
||||||
|
|
||||||
const fetchDoctor = async () => {
|
|
||||||
try {
|
|
||||||
const data = await doctorsService.getById(id);
|
|
||||||
|
|
||||||
if (!data) {
|
|
||||||
setError("Médico não encontrado.");
|
|
||||||
setLoading(false);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
const initialData: Partial<DoctorFormData> = {};
|
|
||||||
|
|
||||||
Object.keys(data).forEach(key => {
|
|
||||||
const formKey = apiToFormMap[key];
|
|
||||||
if (formKey) {
|
|
||||||
let value = data[key] === null ? '' : data[key];
|
|
||||||
if (formKey === 'ativo') {
|
|
||||||
value = !!value;
|
|
||||||
} else if (typeof value !== 'boolean') {
|
|
||||||
value = String(value);
|
|
||||||
}
|
|
||||||
initialData[formKey] = value as any;
|
|
||||||
}
|
|
||||||
});
|
|
||||||
initialData.observacoes = "Observação carregada do sistema (exemplo de campo interno)";
|
|
||||||
|
|
||||||
setFormData(prev => ({ ...prev, ...initialData }));
|
|
||||||
} catch (e) {
|
|
||||||
console.error("Erro ao carregar dados:", e);
|
|
||||||
setError("Não foi possível carregar os dados do médico.");
|
|
||||||
} finally {
|
|
||||||
setLoading(false);
|
|
||||||
}
|
|
||||||
};
|
};
|
||||||
fetchDoctor();
|
|
||||||
}, [id]);
|
|
||||||
|
|
||||||
const handleInputChange = (key: keyof DoctorFormData, value: string | boolean) => {
|
|
||||||
|
|
||||||
|
|
||||||
if (typeof value === 'string') {
|
useEffect(() => {
|
||||||
let maskedValue = value;
|
if (!id) return;
|
||||||
if (key === 'cpf') maskedValue = formatCPF(value);
|
|
||||||
if (key === 'cep') maskedValue = formatCEP(value);
|
|
||||||
if (key === 'telefoneCelular' || key === 'telefone2') maskedValue = formatPhoneMobile(value);
|
|
||||||
|
|
||||||
setFormData((prev) => ({ ...prev, [key]: maskedValue }));
|
const fetchDoctor = async () => {
|
||||||
} else {
|
try {
|
||||||
setFormData((prev) => ({ ...prev, [key]: value }));
|
const data = await doctorsService.getById(id);
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
|
if (!data) {
|
||||||
|
setError("Médico não encontrado.");
|
||||||
|
setLoading(false);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
const initialData: Partial<DoctorFormData> = {};
|
||||||
|
|
||||||
const handleSubmit = async (e: React.FormEvent) => {
|
Object.keys(data).forEach(key => {
|
||||||
e.preventDefault();
|
const formKey = apiToFormMap[key];
|
||||||
setError(null);
|
if (formKey) {
|
||||||
setIsSaving(true);
|
let value = data[key] === null ? '' : data[key];
|
||||||
|
if (formKey === 'ativo') {
|
||||||
|
value = !!value;
|
||||||
|
} else if (typeof value !== 'boolean') {
|
||||||
|
value = String(value);
|
||||||
|
}
|
||||||
|
initialData[formKey] = value as any;
|
||||||
|
}
|
||||||
|
});
|
||||||
|
initialData.observacoes = "Observação carregada do sistema (exemplo de campo interno)";
|
||||||
|
|
||||||
if (!id) {
|
setFormData(prev => ({ ...prev, ...initialData }));
|
||||||
setError("ID do médico ausente.");
|
} catch (e) {
|
||||||
setIsSaving(false);
|
console.error("Erro ao carregar dados:", e);
|
||||||
return;
|
setError("Não foi possível carregar os dados do médico.");
|
||||||
}
|
} finally {
|
||||||
|
setLoading(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
fetchDoctor();
|
||||||
|
}, [id]);
|
||||||
|
|
||||||
const finalPayload: { [key: string]: any } = {};
|
const handleInputChange = (key: keyof DoctorFormData, value: string | boolean) => {
|
||||||
const formKeys = Object.keys(formData) as Array<keyof DoctorFormData>;
|
|
||||||
|
|
||||||
|
|
||||||
formKeys.forEach((key) => {
|
|
||||||
const apiFieldName = apiMap[key];
|
|
||||||
|
|
||||||
if (!apiFieldName) return;
|
|
||||||
|
|
||||||
let value = formData[key];
|
|
||||||
|
|
||||||
if (typeof value === 'string') {
|
if (typeof value === 'string') {
|
||||||
let trimmedValue = value.trim();
|
let maskedValue = value;
|
||||||
if (trimmedValue === '') {
|
if (key === 'cpf') maskedValue = formatCPF(value);
|
||||||
finalPayload[apiFieldName] = null;
|
if (key === 'cep') maskedValue = formatCEP(value);
|
||||||
return;
|
if (key === 'telefoneCelular' || key === 'telefone2') maskedValue = formatPhoneMobile(value);
|
||||||
}
|
|
||||||
if (key === 'crmEstado' || key === 'estado') {
|
|
||||||
trimmedValue = trimmedValue.toUpperCase();
|
|
||||||
}
|
|
||||||
|
|
||||||
value = trimmedValue;
|
setFormData((prev) => ({ ...prev, [key]: maskedValue }));
|
||||||
|
} else {
|
||||||
|
setFormData((prev) => ({ ...prev, [key]: value }));
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
const handleSubmit = async (e: React.FormEvent) => {
|
||||||
|
e.preventDefault();
|
||||||
|
setError(null);
|
||||||
|
setIsSaving(true);
|
||||||
|
|
||||||
|
if (!id) {
|
||||||
|
setError("ID do médico ausente.");
|
||||||
|
setIsSaving(false);
|
||||||
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
finalPayload[apiFieldName] = value;
|
const finalPayload: { [key: string]: any } = {};
|
||||||
});
|
const formKeys = Object.keys(formData) as Array<keyof DoctorFormData>;
|
||||||
|
|
||||||
delete finalPayload.user_id;
|
|
||||||
try {
|
|
||||||
await doctorsService.update(id, finalPayload);
|
|
||||||
router.push("/manager/home");
|
|
||||||
} catch (e: any) {
|
|
||||||
console.error("Erro ao salvar o médico:", e);
|
|
||||||
let detailedError = "Erro ao atualizar. Verifique os dados e tente novamente.";
|
|
||||||
|
|
||||||
if (e.message && e.message.includes("duplicate key value violates unique constraint")) {
|
formKeys.forEach((key) => {
|
||||||
detailedError = "O CPF ou CRM informado já está cadastrado em outro registro.";
|
const apiFieldName = apiMap[key];
|
||||||
} else if (e.message && e.message.includes("Detalhes:")) {
|
|
||||||
detailedError = e.message.split("Detalhes:")[1].trim();
|
|
||||||
} else if (e.message) {
|
|
||||||
detailedError = e.message;
|
|
||||||
}
|
|
||||||
|
|
||||||
setError(`Erro ao atualizar. Detalhes: ${detailedError}`);
|
if (!apiFieldName) return;
|
||||||
} finally {
|
|
||||||
setIsSaving(false);
|
let value = formData[key];
|
||||||
|
|
||||||
|
if (typeof value === 'string') {
|
||||||
|
let trimmedValue = value.trim();
|
||||||
|
if (trimmedValue === '') {
|
||||||
|
finalPayload[apiFieldName] = null;
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
if (key === 'crmEstado' || key === 'estado') {
|
||||||
|
trimmedValue = trimmedValue.toUpperCase();
|
||||||
|
}
|
||||||
|
|
||||||
|
value = trimmedValue;
|
||||||
|
}
|
||||||
|
|
||||||
|
finalPayload[apiFieldName] = value;
|
||||||
|
});
|
||||||
|
|
||||||
|
delete finalPayload.user_id;
|
||||||
|
try {
|
||||||
|
await doctorsService.update(id, finalPayload);
|
||||||
|
router.push("/manager/home");
|
||||||
|
} catch (e: any) {
|
||||||
|
console.error("Erro ao salvar o médico:", e);
|
||||||
|
let detailedError = "Erro ao atualizar. Verifique os dados e tente novamente.";
|
||||||
|
|
||||||
|
if (e.message && e.message.includes("duplicate key value violates unique constraint")) {
|
||||||
|
detailedError = "O CPF ou CRM informado já está cadastrado em outro registro.";
|
||||||
|
} else if (e.message && e.message.includes("Detalhes:")) {
|
||||||
|
detailedError = e.message.split("Detalhes:")[1].trim();
|
||||||
|
} else if (e.message) {
|
||||||
|
detailedError = e.message;
|
||||||
|
}
|
||||||
|
|
||||||
|
setError(`Erro ao atualizar. Detalhes: ${detailedError}`);
|
||||||
|
} finally {
|
||||||
|
setIsSaving(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
if (loading) {
|
||||||
|
return (
|
||||||
|
<Sidebar>
|
||||||
|
<div className="flex justify-center items-center h-full w-full py-16">
|
||||||
|
<Loader2 className="w-8 h-8 animate-spin text-green-600" />
|
||||||
|
<p className="ml-2 text-gray-600">Carregando dados do médico...</p>
|
||||||
|
</div>
|
||||||
|
</Sidebar>
|
||||||
|
);
|
||||||
}
|
}
|
||||||
};
|
|
||||||
if (loading) {
|
|
||||||
return (
|
return (
|
||||||
<Sidebar>
|
<Sidebar>
|
||||||
<div className="flex justify-center items-center h-full w-full py-16">
|
<div className="w-full space-y-6 p-4 md:p-8">
|
||||||
<Loader2 className="w-8 h-8 animate-spin text-green-600" />
|
<div className="flex items-center justify-between">
|
||||||
<p className="ml-2 text-gray-600">Carregando dados do médico...</p>
|
<div>
|
||||||
|
<h1 className="text-2xl font-bold text-gray-900">
|
||||||
|
Editar Médico: <span className="text-green-600">{formData.nomeCompleto}</span>
|
||||||
|
</h1>
|
||||||
|
<p className="text-sm text-gray-500">
|
||||||
|
Atualize as informações do médico
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<Link href="/manager/home">
|
||||||
|
<Button variant="outline">
|
||||||
|
<ArrowLeft className="w-4 h-4 mr-2" />
|
||||||
|
Voltar
|
||||||
|
</Button>
|
||||||
|
</Link>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<form onSubmit={handleSubmit} className="space-y-6">
|
||||||
|
|
||||||
|
{error && (
|
||||||
|
<div className="p-3 bg-red-100 text-red-700 rounded-lg border border-red-300">
|
||||||
|
<p className="font-medium">Erro na Atualização:</p>
|
||||||
|
<p className="text-sm">{error}</p>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
<div className="space-y-4 p-4 border rounded-xl shadow-sm bg-white">
|
||||||
|
<h2 className="text-lg font-semibold text-gray-800 border-b pb-2">
|
||||||
|
Dados Principais e Pessoais
|
||||||
|
</h2>
|
||||||
|
<div className="grid md:grid-cols-4 gap-4">
|
||||||
|
<div className="space-y-2 col-span-2">
|
||||||
|
<Label htmlFor="nomeCompleto">Nome Completo (full_name)</Label>
|
||||||
|
<Input
|
||||||
|
id="nomeCompleto"
|
||||||
|
value={formData.nomeCompleto}
|
||||||
|
onChange={(e) => handleInputChange("nomeCompleto", e.target.value)}
|
||||||
|
placeholder="Nome do Médico"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2 col-span-1">
|
||||||
|
<Label htmlFor="crm">CRM</Label>
|
||||||
|
<Input
|
||||||
|
id="crm"
|
||||||
|
value={formData.crm}
|
||||||
|
onChange={(e) => handleInputChange("crm", e.target.value)}
|
||||||
|
placeholder="Ex: 123456"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2 col-span-1">
|
||||||
|
<Label htmlFor="crmEstado">UF do CRM (crm_uf)</Label>
|
||||||
|
<Select value={formData.crmEstado} onValueChange={(v) => handleInputChange("crmEstado", v)}>
|
||||||
|
<SelectTrigger id="crmEstado">
|
||||||
|
<SelectValue placeholder="UF" />
|
||||||
|
</SelectTrigger>
|
||||||
|
<SelectContent>
|
||||||
|
{UF_LIST.map(uf => (
|
||||||
|
<SelectItem key={uf} value={uf}>{uf}</SelectItem>
|
||||||
|
))}
|
||||||
|
</SelectContent>
|
||||||
|
</Select>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
|
||||||
|
<div className="grid md:grid-cols-3 gap-4">
|
||||||
|
<div className="space-y-2">
|
||||||
|
<Label htmlFor="especialidade">Especialidade (specialty)</Label>
|
||||||
|
<Input
|
||||||
|
id="especialidade"
|
||||||
|
value={formData.especialidade}
|
||||||
|
onChange={(e) => handleInputChange("especialidade", e.target.value)}
|
||||||
|
placeholder="Ex: Cardiologia"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2">
|
||||||
|
<Label htmlFor="cpf">CPF</Label>
|
||||||
|
<Input
|
||||||
|
id="cpf"
|
||||||
|
value={formData.cpf}
|
||||||
|
onChange={(e) => handleInputChange("cpf", e.target.value)}
|
||||||
|
placeholder="000.000.000-00"
|
||||||
|
maxLength={14}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2">
|
||||||
|
<Label htmlFor="rg">RG</Label>
|
||||||
|
<Input
|
||||||
|
id="rg"
|
||||||
|
value={formData.rg}
|
||||||
|
onChange={(e) => handleInputChange("rg", e.target.value)}
|
||||||
|
placeholder="00.000.000-0"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="grid md:grid-cols-4 gap-4">
|
||||||
|
<div className="space-y-2 col-span-2">
|
||||||
|
<Label htmlFor="email">E-mail</Label>
|
||||||
|
<Input
|
||||||
|
id="email"
|
||||||
|
type="email"
|
||||||
|
value={formData.email}
|
||||||
|
onChange={(e) => handleInputChange("email", e.target.value)}
|
||||||
|
placeholder="exemplo@dominio.com"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2 col-span-1">
|
||||||
|
<Label htmlFor="dataNascimento">Data de Nascimento (birth_date)</Label>
|
||||||
|
<Input
|
||||||
|
id="dataNascimento"
|
||||||
|
type="date"
|
||||||
|
value={formData.dataNascimento}
|
||||||
|
onChange={(e) => handleInputChange("dataNascimento", e.target.value)}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2 flex items-end justify-center pb-1">
|
||||||
|
<div className="flex items-center space-x-2">
|
||||||
|
<Checkbox
|
||||||
|
id="ativo"
|
||||||
|
checked={formData.ativo}
|
||||||
|
onCheckedChange={(checked) => handleInputChange("ativo", checked === true)}
|
||||||
|
/>
|
||||||
|
<Label htmlFor="ativo">Médico Ativo (active)</Label>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="space-y-4 p-4 border rounded-xl shadow-sm bg-white">
|
||||||
|
<h2 className="text-lg font-semibold text-gray-800 border-b pb-2">
|
||||||
|
Contato e Endereço
|
||||||
|
</h2>
|
||||||
|
|
||||||
|
<div className="grid md:grid-cols-2 gap-4">
|
||||||
|
<div className="space-y-2">
|
||||||
|
<Label htmlFor="telefoneCelular">Telefone Celular (phone_mobile)</Label>
|
||||||
|
<Input
|
||||||
|
id="telefoneCelular"
|
||||||
|
value={formData.telefoneCelular}
|
||||||
|
onChange={(e) => handleInputChange("telefoneCelular", e.target.value)}
|
||||||
|
placeholder="(00) 00000-0000"
|
||||||
|
maxLength={15}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2">
|
||||||
|
<Label htmlFor="telefone2">Telefone Adicional (phone2)</Label>
|
||||||
|
<Input
|
||||||
|
id="telefone2"
|
||||||
|
value={formData.telefone2}
|
||||||
|
onChange={(e) => handleInputChange("telefone2", e.target.value)}
|
||||||
|
placeholder="(00) 00000-0000"
|
||||||
|
maxLength={15}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
|
||||||
|
<div className="grid md:grid-cols-4 gap-4">
|
||||||
|
<div className="space-y-2 col-span-1">
|
||||||
|
<Label htmlFor="cep">CEP</Label>
|
||||||
|
<Input
|
||||||
|
id="cep"
|
||||||
|
value={formData.cep}
|
||||||
|
onChange={(e) => handleInputChange("cep", e.target.value)}
|
||||||
|
placeholder="00000-000"
|
||||||
|
maxLength={9}
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2 col-span-3">
|
||||||
|
<Label htmlFor="endereco">Logradouro (street)</Label>
|
||||||
|
<Input
|
||||||
|
id="endereco"
|
||||||
|
value={formData.endereco}
|
||||||
|
onChange={(e) => handleInputChange("endereco", e.target.value)}
|
||||||
|
placeholder="Rua, Avenida, etc."
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="grid md:grid-cols-4 gap-4">
|
||||||
|
<div className="space-y-2 col-span-1">
|
||||||
|
<Label htmlFor="numero">Número</Label>
|
||||||
|
<Input
|
||||||
|
id="numero"
|
||||||
|
value={formData.numero}
|
||||||
|
onChange={(e) => handleInputChange("numero", e.target.value)}
|
||||||
|
placeholder="123"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2 col-span-3">
|
||||||
|
<Label htmlFor="complemento">Complemento</Label>
|
||||||
|
<Input
|
||||||
|
id="complemento"
|
||||||
|
value={formData.complemento}
|
||||||
|
onChange={(e) => handleInputChange("complemento", e.target.value)}
|
||||||
|
placeholder="Apto, Bloco, etc."
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="grid md:grid-cols-4 gap-4">
|
||||||
|
<div className="space-y-2 col-span-2">
|
||||||
|
<Label htmlFor="bairro">Bairro</Label>
|
||||||
|
<Input
|
||||||
|
id="bairro"
|
||||||
|
value={formData.bairro}
|
||||||
|
onChange={(e) => handleInputChange("bairro", e.target.value)}
|
||||||
|
placeholder="Bairro"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2 col-span-1">
|
||||||
|
<Label htmlFor="cidade">Cidade</Label>
|
||||||
|
<Input
|
||||||
|
id="cidade"
|
||||||
|
value={formData.cidade}
|
||||||
|
onChange={(e) => handleInputChange("cidade", e.target.value)}
|
||||||
|
placeholder="São Paulo"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
<div className="space-y-2 col-span-1">
|
||||||
|
<Label htmlFor="estado">Estado (state)</Label>
|
||||||
|
<Input
|
||||||
|
id="estado"
|
||||||
|
value={formData.estado}
|
||||||
|
onChange={(e) => handleInputChange("estado", e.target.value)}
|
||||||
|
placeholder="SP"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
|
||||||
|
<div className="space-y-4 p-4 border rounded-xl shadow-sm bg-white">
|
||||||
|
<h2 className="text-lg font-semibold text-gray-800 border-b pb-2">
|
||||||
|
Observações (Apenas internas)
|
||||||
|
</h2>
|
||||||
|
<Textarea
|
||||||
|
id="observacoes"
|
||||||
|
value={formData.observacoes}
|
||||||
|
onChange={(e) => handleInputChange("observacoes", e.target.value)}
|
||||||
|
placeholder="Notas internas sobre o médico..."
|
||||||
|
className="min-h-[100px]"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
|
||||||
|
<div className="flex justify-end gap-4 pb-8 pt-4">
|
||||||
|
<Link href="/manager/home">
|
||||||
|
<Button type="button" variant="outline" disabled={isSaving}>
|
||||||
|
Cancelar
|
||||||
|
</Button>
|
||||||
|
</Link>
|
||||||
|
<Button
|
||||||
|
type="submit"
|
||||||
|
className="bg-green-600 hover:bg-green-700"
|
||||||
|
disabled={isSaving}
|
||||||
|
>
|
||||||
|
{isSaving ? (
|
||||||
|
<Loader2 className="w-4 h-4 mr-2 animate-spin" />
|
||||||
|
) : (
|
||||||
|
<Save className="w-4 h-4 mr-2" />
|
||||||
|
)}
|
||||||
|
{isSaving ? "Salvando..." : "Salvar Alterações"}
|
||||||
|
</Button>
|
||||||
|
</div>
|
||||||
|
</form>
|
||||||
</div>
|
</div>
|
||||||
</Sidebar>
|
</Sidebar>
|
||||||
);
|
);
|
||||||
}
|
|
||||||
|
|
||||||
return (
|
|
||||||
<Sidebar>
|
|
||||||
<div className="w-full space-y-6 p-4 md:p-8">
|
|
||||||
<div className="flex items-center justify-between">
|
|
||||||
<div>
|
|
||||||
<h1 className="text-2xl font-bold text-gray-900">
|
|
||||||
Editar Médico: <span className="text-green-600">{formData.nomeCompleto}</span>
|
|
||||||
</h1>
|
|
||||||
<p className="text-sm text-gray-500">
|
|
||||||
Atualize as informações do médico (ID: {id}).
|
|
||||||
</p>
|
|
||||||
</div>
|
|
||||||
<Link href="/manager/home">
|
|
||||||
<Button variant="outline">
|
|
||||||
<ArrowLeft className="w-4 h-4 mr-2" />
|
|
||||||
Voltar
|
|
||||||
</Button>
|
|
||||||
</Link>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<form onSubmit={handleSubmit} className="space-y-6">
|
|
||||||
|
|
||||||
{error && (
|
|
||||||
<div className="p-3 bg-red-100 text-red-700 rounded-lg border border-red-300">
|
|
||||||
<p className="font-medium">Erro na Atualização:</p>
|
|
||||||
<p className="text-sm">{error}</p>
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
|
|
||||||
<div className="space-y-4 p-4 border rounded-xl shadow-sm bg-white">
|
|
||||||
<h2 className="text-lg font-semibold text-gray-800 border-b pb-2">
|
|
||||||
Dados Principais e Pessoais
|
|
||||||
</h2>
|
|
||||||
<div className="grid md:grid-cols-4 gap-4">
|
|
||||||
<div className="space-y-2 col-span-2">
|
|
||||||
<Label htmlFor="nomeCompleto">Nome Completo (full_name)</Label>
|
|
||||||
<Input
|
|
||||||
id="nomeCompleto"
|
|
||||||
value={formData.nomeCompleto}
|
|
||||||
onChange={(e) => handleInputChange("nomeCompleto", e.target.value)}
|
|
||||||
placeholder="Nome do Médico"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2 col-span-1">
|
|
||||||
<Label htmlFor="crm">CRM</Label>
|
|
||||||
<Input
|
|
||||||
id="crm"
|
|
||||||
value={formData.crm}
|
|
||||||
onChange={(e) => handleInputChange("crm", e.target.value)}
|
|
||||||
placeholder="Ex: 123456"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2 col-span-1">
|
|
||||||
<Label htmlFor="crmEstado">UF do CRM (crm_uf)</Label>
|
|
||||||
<Select value={formData.crmEstado} onValueChange={(v) => handleInputChange("crmEstado", v)}>
|
|
||||||
<SelectTrigger id="crmEstado">
|
|
||||||
<SelectValue placeholder="UF" />
|
|
||||||
</SelectTrigger>
|
|
||||||
<SelectContent>
|
|
||||||
{UF_LIST.map(uf => (
|
|
||||||
<SelectItem key={uf} value={uf}>{uf}</SelectItem>
|
|
||||||
))}
|
|
||||||
</SelectContent>
|
|
||||||
</Select>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
|
|
||||||
<div className="grid md:grid-cols-3 gap-4">
|
|
||||||
<div className="space-y-2">
|
|
||||||
<Label htmlFor="especialidade">Especialidade (specialty)</Label>
|
|
||||||
<Input
|
|
||||||
id="especialidade"
|
|
||||||
value={formData.especialidade}
|
|
||||||
onChange={(e) => handleInputChange("especialidade", e.target.value)}
|
|
||||||
placeholder="Ex: Cardiologia"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2">
|
|
||||||
<Label htmlFor="cpf">CPF</Label>
|
|
||||||
<Input
|
|
||||||
id="cpf"
|
|
||||||
value={formData.cpf}
|
|
||||||
onChange={(e) => handleInputChange("cpf", e.target.value)}
|
|
||||||
placeholder="000.000.000-00"
|
|
||||||
maxLength={14}
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2">
|
|
||||||
<Label htmlFor="rg">RG</Label>
|
|
||||||
<Input
|
|
||||||
id="rg"
|
|
||||||
value={formData.rg}
|
|
||||||
onChange={(e) => handleInputChange("rg", e.target.value)}
|
|
||||||
placeholder="00.000.000-0"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<div className="grid md:grid-cols-4 gap-4">
|
|
||||||
<div className="space-y-2 col-span-2">
|
|
||||||
<Label htmlFor="email">E-mail</Label>
|
|
||||||
<Input
|
|
||||||
id="email"
|
|
||||||
type="email"
|
|
||||||
value={formData.email}
|
|
||||||
onChange={(e) => handleInputChange("email", e.target.value)}
|
|
||||||
placeholder="exemplo@dominio.com"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2 col-span-1">
|
|
||||||
<Label htmlFor="dataNascimento">Data de Nascimento (birth_date)</Label>
|
|
||||||
<Input
|
|
||||||
id="dataNascimento"
|
|
||||||
type="date"
|
|
||||||
value={formData.dataNascimento}
|
|
||||||
onChange={(e) => handleInputChange("dataNascimento", e.target.value)}
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2 flex items-end justify-center pb-1">
|
|
||||||
<div className="flex items-center space-x-2">
|
|
||||||
<Checkbox
|
|
||||||
id="ativo"
|
|
||||||
checked={formData.ativo}
|
|
||||||
onCheckedChange={(checked) => handleInputChange("ativo", checked === true)}
|
|
||||||
/>
|
|
||||||
<Label htmlFor="ativo">Médico Ativo (active)</Label>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<div className="space-y-4 p-4 border rounded-xl shadow-sm bg-white">
|
|
||||||
<h2 className="text-lg font-semibold text-gray-800 border-b pb-2">
|
|
||||||
Contato e Endereço
|
|
||||||
</h2>
|
|
||||||
|
|
||||||
<div className="grid md:grid-cols-2 gap-4">
|
|
||||||
<div className="space-y-2">
|
|
||||||
<Label htmlFor="telefoneCelular">Telefone Celular (phone_mobile)</Label>
|
|
||||||
<Input
|
|
||||||
id="telefoneCelular"
|
|
||||||
value={formData.telefoneCelular}
|
|
||||||
onChange={(e) => handleInputChange("telefoneCelular", e.target.value)}
|
|
||||||
placeholder="(00) 00000-0000"
|
|
||||||
maxLength={15}
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2">
|
|
||||||
<Label htmlFor="telefone2">Telefone Adicional (phone2)</Label>
|
|
||||||
<Input
|
|
||||||
id="telefone2"
|
|
||||||
value={formData.telefone2}
|
|
||||||
onChange={(e) => handleInputChange("telefone2", e.target.value)}
|
|
||||||
placeholder="(00) 00000-0000"
|
|
||||||
maxLength={15}
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
|
|
||||||
<div className="grid md:grid-cols-4 gap-4">
|
|
||||||
<div className="space-y-2 col-span-1">
|
|
||||||
<Label htmlFor="cep">CEP</Label>
|
|
||||||
<Input
|
|
||||||
id="cep"
|
|
||||||
value={formData.cep}
|
|
||||||
onChange={(e) => handleInputChange("cep", e.target.value)}
|
|
||||||
placeholder="00000-000"
|
|
||||||
maxLength={9}
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2 col-span-3">
|
|
||||||
<Label htmlFor="endereco">Logradouro (street)</Label>
|
|
||||||
<Input
|
|
||||||
id="endereco"
|
|
||||||
value={formData.endereco}
|
|
||||||
onChange={(e) => handleInputChange("endereco", e.target.value)}
|
|
||||||
placeholder="Rua, Avenida, etc."
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<div className="grid md:grid-cols-4 gap-4">
|
|
||||||
<div className="space-y-2 col-span-1">
|
|
||||||
<Label htmlFor="numero">Número</Label>
|
|
||||||
<Input
|
|
||||||
id="numero"
|
|
||||||
value={formData.numero}
|
|
||||||
onChange={(e) => handleInputChange("numero", e.target.value)}
|
|
||||||
placeholder="123"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2 col-span-3">
|
|
||||||
<Label htmlFor="complemento">Complemento</Label>
|
|
||||||
<Input
|
|
||||||
id="complemento"
|
|
||||||
value={formData.complemento}
|
|
||||||
onChange={(e) => handleInputChange("complemento", e.target.value)}
|
|
||||||
placeholder="Apto, Bloco, etc."
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<div className="grid md:grid-cols-4 gap-4">
|
|
||||||
<div className="space-y-2 col-span-2">
|
|
||||||
<Label htmlFor="bairro">Bairro</Label>
|
|
||||||
<Input
|
|
||||||
id="bairro"
|
|
||||||
value={formData.bairro}
|
|
||||||
onChange={(e) => handleInputChange("bairro", e.target.value)}
|
|
||||||
placeholder="Bairro"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2 col-span-1">
|
|
||||||
<Label htmlFor="cidade">Cidade</Label>
|
|
||||||
<Input
|
|
||||||
id="cidade"
|
|
||||||
value={formData.cidade}
|
|
||||||
onChange={(e) => handleInputChange("cidade", e.target.value)}
|
|
||||||
placeholder="São Paulo"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
<div className="space-y-2 col-span-1">
|
|
||||||
<Label htmlFor="estado">Estado (state)</Label>
|
|
||||||
<Input
|
|
||||||
id="estado"
|
|
||||||
value={formData.estado}
|
|
||||||
onChange={(e) => handleInputChange("estado", e.target.value)}
|
|
||||||
placeholder="SP"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
|
|
||||||
<div className="space-y-4 p-4 border rounded-xl shadow-sm bg-white">
|
|
||||||
<h2 className="text-lg font-semibold text-gray-800 border-b pb-2">
|
|
||||||
Observações (Apenas internas)
|
|
||||||
</h2>
|
|
||||||
<Textarea
|
|
||||||
id="observacoes"
|
|
||||||
value={formData.observacoes}
|
|
||||||
onChange={(e) => handleInputChange("observacoes", e.target.value)}
|
|
||||||
placeholder="Notas internas sobre o médico..."
|
|
||||||
className="min-h-[100px]"
|
|
||||||
/>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
|
|
||||||
<div className="flex justify-end gap-4 pb-8 pt-4">
|
|
||||||
<Link href="/manager/home">
|
|
||||||
<Button type="button" variant="outline" disabled={isSaving}>
|
|
||||||
Cancelar
|
|
||||||
</Button>
|
|
||||||
</Link>
|
|
||||||
<Button
|
|
||||||
type="submit"
|
|
||||||
className="bg-green-600 hover:bg-green-700"
|
|
||||||
disabled={isSaving}
|
|
||||||
>
|
|
||||||
{isSaving ? (
|
|
||||||
<Loader2 className="w-4 h-4 mr-2 animate-spin" />
|
|
||||||
) : (
|
|
||||||
<Save className="w-4 h-4 mr-2" />
|
|
||||||
)}
|
|
||||||
{isSaving ? "Salvando..." : "Salvar Alterações"}
|
|
||||||
</Button>
|
|
||||||
</div>
|
|
||||||
</form>
|
|
||||||
</div>
|
|
||||||
</Sidebar>
|
|
||||||
);
|
|
||||||
}
|
}
|
||||||
@ -4,34 +4,19 @@ import React, { useEffect, useState, useCallback, useMemo } from "react";
|
|||||||
import Link from "next/link";
|
import Link from "next/link";
|
||||||
import { useRouter } from "next/navigation";
|
import { useRouter } from "next/navigation";
|
||||||
import { Button } from "@/components/ui/button";
|
import { Button } from "@/components/ui/button";
|
||||||
import {
|
import { DropdownMenu, DropdownMenuContent, DropdownMenuItem, DropdownMenuTrigger } from "@/components/ui/dropdown-menu";
|
||||||
DropdownMenu,
|
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select";
|
||||||
DropdownMenuContent,
|
import { Edit, Trash2, Eye, Calendar, Loader2, MoreVertical } from "lucide-react";
|
||||||
DropdownMenuItem,
|
import { AlertDialog, AlertDialogAction, AlertDialogCancel, AlertDialogContent, AlertDialogDescription, AlertDialogFooter, AlertDialogHeader, AlertDialogTitle } from "@/components/ui/alert-dialog";
|
||||||
DropdownMenuTrigger,
|
|
||||||
} from "@/components/ui/dropdown-menu";
|
|
||||||
import {
|
|
||||||
Select,
|
|
||||||
SelectContent,
|
|
||||||
SelectItem,
|
|
||||||
SelectTrigger,
|
|
||||||
SelectValue,
|
|
||||||
} from "@/components/ui/select";
|
|
||||||
import { Edit, Trash2, Eye, Calendar, Filter, Loader2 } from "lucide-react";
|
|
||||||
import {
|
|
||||||
AlertDialog,
|
|
||||||
AlertDialogAction,
|
|
||||||
AlertDialogCancel,
|
|
||||||
AlertDialogContent,
|
|
||||||
AlertDialogDescription,
|
|
||||||
AlertDialogFooter,
|
|
||||||
AlertDialogHeader,
|
|
||||||
AlertDialogTitle,
|
|
||||||
} from "@/components/ui/alert-dialog";
|
|
||||||
|
|
||||||
import { doctorsService } from "services/doctorsApi.mjs";
|
// Imports dos Serviços
|
||||||
|
import { doctorsService } from "@/services/doctorsApi.mjs";
|
||||||
import Sidebar from "@/components/Sidebar";
|
import Sidebar from "@/components/Sidebar";
|
||||||
|
|
||||||
|
// --- NOVOS IMPORTS (Certifique-se que criou os arquivos no passo anterior) ---
|
||||||
|
import { FilterBar } from "@/components/ui/filter-bar";
|
||||||
|
import { normalizeSpecialty, getUniqueSpecialties } from "@/lib/normalization";
|
||||||
|
|
||||||
interface Doctor {
|
interface Doctor {
|
||||||
id: number;
|
id: number;
|
||||||
full_name: string;
|
full_name: string;
|
||||||
@ -66,119 +51,111 @@ interface DoctorDetails {
|
|||||||
export default function DoctorsPage() {
|
export default function DoctorsPage() {
|
||||||
const router = useRouter();
|
const router = useRouter();
|
||||||
|
|
||||||
const [doctors, setDoctors] = useState<Doctor[]>([]);
|
// --- Estados de Dados ---
|
||||||
const [loading, setLoading] = useState(true);
|
const [doctors, setDoctors] = useState<Doctor[]>([]);
|
||||||
const [error, setError] = useState<string | null>(null);
|
const [loading, setLoading] = useState(true);
|
||||||
const [detailsDialogOpen, setDetailsDialogOpen] = useState(false);
|
const [error, setError] = useState<string | null>(null);
|
||||||
const [doctorDetails, setDoctorDetails] = useState<DoctorDetails | null>(
|
|
||||||
null
|
|
||||||
);
|
|
||||||
const [deleteDialogOpen, setDeleteDialogOpen] = useState(false);
|
|
||||||
const [doctorToDeleteId, setDoctorToDeleteId] = useState<number | null>(null);
|
|
||||||
|
|
||||||
// --- Estados para Filtros ---
|
// --- Estados de Modais ---
|
||||||
const [specialtyFilter, setSpecialtyFilter] = useState("all");
|
const [detailsDialogOpen, setDetailsDialogOpen] = useState(false);
|
||||||
const [statusFilter, setStatusFilter] = useState("all");
|
const [doctorDetails, setDoctorDetails] = useState<DoctorDetails | null>(null);
|
||||||
|
const [deleteDialogOpen, setDeleteDialogOpen] = useState(false);
|
||||||
|
const [doctorToDeleteId, setDoctorToDeleteId] = useState<number | null>(null);
|
||||||
|
|
||||||
// --- Estados para Paginação ---
|
// --- Estados de Filtro e Busca ---
|
||||||
const [itemsPerPage, setItemsPerPage] = useState(10);
|
const [searchTerm, setSearchTerm] = useState("");
|
||||||
const [currentPage, setCurrentPage] = useState(1);
|
const [filters, setFilters] = useState({
|
||||||
|
specialty: "all",
|
||||||
|
status: "all"
|
||||||
|
});
|
||||||
|
|
||||||
const fetchDoctors = useCallback(async () => {
|
// --- Estados de Paginação ---
|
||||||
setLoading(true);
|
const [itemsPerPage, setItemsPerPage] = useState(10);
|
||||||
setError(null);
|
const [currentPage, setCurrentPage] = useState(1);
|
||||||
try {
|
|
||||||
const data: Doctor[] = await doctorsService.list();
|
// 1. Buscar Médicos na API
|
||||||
const dataWithStatus = data.map((doc, index) => ({
|
const fetchDoctors = useCallback(async () => {
|
||||||
...doc,
|
setLoading(true);
|
||||||
status:
|
setError(null);
|
||||||
index % 3 === 0 ? "Inativo" : index % 2 === 0 ? "Férias" : "Ativo",
|
try {
|
||||||
}));
|
const data: Doctor[] = await doctorsService.list();
|
||||||
setDoctors(dataWithStatus || []);
|
// Mockando status para visualização (conforme original)
|
||||||
setCurrentPage(1);
|
const dataWithStatus = data.map((doc, index) => ({
|
||||||
} catch (e: any) {
|
...doc,
|
||||||
console.error("Erro ao carregar lista de médicos:", e);
|
status: index % 3 === 0 ? "Inativo" : index % 2 === 0 ? "Férias" : "Ativo",
|
||||||
setError(
|
}));
|
||||||
"Não foi possível carregar a lista de médicos. Verifique a conexão com a API."
|
setDoctors(dataWithStatus || []);
|
||||||
);
|
// Não resetamos a página aqui para manter a navegação fluida se apenas recarregar dados
|
||||||
setDoctors([]);
|
} catch (e: any) {
|
||||||
} finally {
|
console.error("Erro ao carregar lista de médicos:", e);
|
||||||
setLoading(false);
|
setError("Não foi possível carregar a lista de médicos. Verifique a conexão com a API.");
|
||||||
}
|
setDoctors([]);
|
||||||
}, []);
|
} finally {
|
||||||
|
setLoading(false);
|
||||||
|
}
|
||||||
|
}, []);
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
fetchDoctors();
|
fetchDoctors();
|
||||||
}, [fetchDoctors]);
|
}, [fetchDoctors]);
|
||||||
|
|
||||||
const openDetailsDialog = async (doctor: Doctor) => {
|
// 2. Gerar lista única de especialidades (Normalizada)
|
||||||
setDetailsDialogOpen(true);
|
const uniqueSpecialties = useMemo(() => {
|
||||||
setDoctorDetails({
|
return getUniqueSpecialties(doctors);
|
||||||
nome: doctor.full_name,
|
}, [doctors]);
|
||||||
crm: doctor.crm,
|
|
||||||
especialidade: doctor.specialty,
|
|
||||||
contato: { celular: doctor.phone_mobile ?? undefined },
|
|
||||||
endereco: {
|
|
||||||
cidade: doctor.city ?? undefined,
|
|
||||||
estado: doctor.state ?? undefined,
|
|
||||||
},
|
|
||||||
status: doctor.status || "Ativo",
|
|
||||||
convenio: "Particular",
|
|
||||||
vip: false,
|
|
||||||
ultimo_atendimento: "N/A",
|
|
||||||
proximo_atendimento: "N/A",
|
|
||||||
});
|
|
||||||
};
|
|
||||||
|
|
||||||
const handleDelete = async () => {
|
// 3. Lógica de Filtragem Centralizada
|
||||||
if (doctorToDeleteId === null) return;
|
const filteredDoctors = useMemo(() => {
|
||||||
setLoading(true);
|
return doctors.filter((doctor) => {
|
||||||
try {
|
// Normaliza a especialidade do médico atual para comparar
|
||||||
await doctorsService.delete(doctorToDeleteId);
|
const normalizedDocSpecialty = normalizeSpecialty(doctor.specialty);
|
||||||
setDeleteDialogOpen(false);
|
|
||||||
setDoctorToDeleteId(null);
|
|
||||||
await fetchDoctors();
|
|
||||||
} catch (e) {
|
|
||||||
console.error("Erro ao excluir:", e);
|
|
||||||
alert("Erro ao excluir médico.");
|
|
||||||
} finally {
|
|
||||||
setLoading(false);
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
const openDeleteDialog = (doctorId: number) => {
|
// Filtros exatos
|
||||||
setDoctorToDeleteId(doctorId);
|
const specialtyMatch = filters.specialty === "all" || normalizedDocSpecialty === filters.specialty;
|
||||||
setDeleteDialogOpen(true);
|
const statusMatch = filters.status === "all" || doctor.status === filters.status;
|
||||||
};
|
|
||||||
|
|
||||||
const uniqueSpecialties = useMemo(() => {
|
// Busca textual (Nome, Telefone, CRM)
|
||||||
const specialties = doctors
|
const searchLower = searchTerm.toLowerCase();
|
||||||
.map((doctor) => doctor.specialty)
|
const nameMatch = doctor.full_name?.toLowerCase().includes(searchLower);
|
||||||
.filter(Boolean);
|
const phoneMatch = doctor.phone_mobile?.includes(searchLower);
|
||||||
return [...new Set(specialties)];
|
const crmMatch = doctor.crm?.toLowerCase().includes(searchLower);
|
||||||
}, [doctors]);
|
|
||||||
|
|
||||||
const filteredDoctors = doctors.filter((doctor) => {
|
return specialtyMatch && statusMatch && (searchTerm === "" || nameMatch || phoneMatch || crmMatch);
|
||||||
const specialtyMatch =
|
});
|
||||||
specialtyFilter === "all" || doctor.specialty === specialtyFilter;
|
}, [doctors, filters, searchTerm]);
|
||||||
const statusMatch =
|
|
||||||
statusFilter === "all" || doctor.status === statusFilter;
|
|
||||||
return specialtyMatch && statusMatch;
|
|
||||||
});
|
|
||||||
|
|
||||||
const totalPages = Math.ceil(filteredDoctors.length / itemsPerPage);
|
// --- Handlers de Controle (Com Reset de Paginação) ---
|
||||||
const indexOfLastItem = currentPage * itemsPerPage;
|
|
||||||
const indexOfFirstItem = indexOfLastItem - itemsPerPage;
|
|
||||||
const currentItems = filteredDoctors.slice(indexOfFirstItem, indexOfLastItem);
|
|
||||||
const paginate = (pageNumber: number) => setCurrentPage(pageNumber);
|
|
||||||
|
|
||||||
const goToPrevPage = () => {
|
const handleSearch = (term: string) => {
|
||||||
setCurrentPage((prev) => Math.max(1, prev - 1));
|
setSearchTerm(term);
|
||||||
};
|
setCurrentPage(1); // Correção: Reseta para página 1 ao buscar
|
||||||
|
};
|
||||||
|
|
||||||
const goToNextPage = () => {
|
const handleFilterChange = (key: string, value: string) => {
|
||||||
setCurrentPage((prev) => Math.min(totalPages, prev + 1));
|
setFilters(prev => ({ ...prev, [key]: value }));
|
||||||
};
|
setCurrentPage(1); // Correção: Reseta para página 1 ao filtrar
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleClearFilters = () => {
|
||||||
|
setSearchTerm("");
|
||||||
|
setFilters({ specialty: "all", status: "all" });
|
||||||
|
setCurrentPage(1); // Correção: Reseta para página 1 ao limpar
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleItemsPerPageChange = (value: string) => {
|
||||||
|
setItemsPerPage(Number(value));
|
||||||
|
setCurrentPage(1);
|
||||||
|
};
|
||||||
|
|
||||||
|
// --- Lógica de Paginação ---
|
||||||
|
const totalPages = Math.ceil(filteredDoctors.length / itemsPerPage);
|
||||||
|
const indexOfLastItem = currentPage * itemsPerPage;
|
||||||
|
const indexOfFirstItem = indexOfLastItem - itemsPerPage;
|
||||||
|
const currentItems = filteredDoctors.slice(indexOfFirstItem, indexOfLastItem);
|
||||||
|
|
||||||
|
const paginate = (pageNumber: number) => setCurrentPage(pageNumber);
|
||||||
|
const goToPrevPage = () => setCurrentPage((prev) => Math.max(1, prev - 1));
|
||||||
|
const goToNextPage = () => setCurrentPage((prev) => Math.min(totalPages, prev + 1));
|
||||||
|
|
||||||
const getVisiblePageNumbers = (totalPages: number, currentPage: number) => {
|
const getVisiblePageNumbers = (totalPages: number, currentPage: number) => {
|
||||||
const pages: number[] = [];
|
const pages: number[] = [];
|
||||||
@ -204,10 +181,43 @@ export default function DoctorsPage() {
|
|||||||
|
|
||||||
const visiblePageNumbers = getVisiblePageNumbers(totalPages, currentPage);
|
const visiblePageNumbers = getVisiblePageNumbers(totalPages, currentPage);
|
||||||
|
|
||||||
const handleItemsPerPageChange = (value: string) => {
|
// --- Handlers de Ações (Detalhes e Delete) ---
|
||||||
setItemsPerPage(Number(value));
|
const openDetailsDialog = (doctor: Doctor) => {
|
||||||
setCurrentPage(1);
|
setDetailsDialogOpen(true);
|
||||||
};
|
setDoctorDetails({
|
||||||
|
nome: doctor.full_name,
|
||||||
|
crm: doctor.crm,
|
||||||
|
especialidade: normalizeSpecialty(doctor.specialty), // Exibe normalizado
|
||||||
|
contato: { celular: doctor.phone_mobile ?? undefined },
|
||||||
|
endereco: { cidade: doctor.city ?? undefined, estado: doctor.state ?? undefined },
|
||||||
|
status: doctor.status || "Ativo",
|
||||||
|
convenio: "Particular",
|
||||||
|
vip: false,
|
||||||
|
ultimo_atendimento: "N/A",
|
||||||
|
proximo_atendimento: "N/A",
|
||||||
|
});
|
||||||
|
};
|
||||||
|
|
||||||
|
const openDeleteDialog = (doctorId: number) => {
|
||||||
|
setDoctorToDeleteId(doctorId);
|
||||||
|
setDeleteDialogOpen(true);
|
||||||
|
};
|
||||||
|
|
||||||
|
const handleDelete = async () => {
|
||||||
|
if (doctorToDeleteId === null) return;
|
||||||
|
setLoading(true);
|
||||||
|
try {
|
||||||
|
await doctorsService.delete(doctorToDeleteId);
|
||||||
|
setDeleteDialogOpen(false);
|
||||||
|
setDoctorToDeleteId(null);
|
||||||
|
await fetchDoctors();
|
||||||
|
} catch (e) {
|
||||||
|
console.error("Erro ao excluir:", e);
|
||||||
|
alert("Erro ao excluir médico.");
|
||||||
|
} finally {
|
||||||
|
setLoading(false);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<Sidebar>
|
<Sidebar>
|
||||||
@ -224,257 +234,194 @@ export default function DoctorsPage() {
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
{/* Filtros e Itens por Página */}
|
{/* --- NOVO COMPONENTE DE FILTRO --- */}
|
||||||
<div className="flex flex-wrap items-center gap-3 bg-white p-3 sm:p-4 rounded-lg border border-gray-200">
|
<FilterBar
|
||||||
<div className="flex items-center gap-2 w-full md:w-auto">
|
searchTerm={searchTerm}
|
||||||
<span className="text-sm font-medium text-foreground">
|
onSearch={handleSearch}
|
||||||
Especialidade
|
activeFilters={filters}
|
||||||
</span>
|
onFilterChange={handleFilterChange}
|
||||||
<Select value={specialtyFilter} onValueChange={setSpecialtyFilter}>
|
onClearFilters={handleClearFilters}
|
||||||
<SelectTrigger className="w-[160px] sm:w-[180px]">
|
searchPlaceholder="Buscar por nome, CRM ou telefone..."
|
||||||
<SelectValue placeholder="Especialidade" />
|
filters={[
|
||||||
</SelectTrigger>
|
{
|
||||||
<SelectContent>
|
key: "specialty",
|
||||||
<SelectItem value="all">Todas</SelectItem>
|
label: "Especialidade",
|
||||||
{uniqueSpecialties.map((specialty) => (
|
options: uniqueSpecialties
|
||||||
<SelectItem key={specialty} value={specialty}>
|
},
|
||||||
{specialty}
|
{
|
||||||
</SelectItem>
|
key: "status",
|
||||||
))}
|
label: "Status",
|
||||||
</SelectContent>
|
options: ["Ativo", "Férias", "Inativo"]
|
||||||
</Select>
|
}
|
||||||
</div>
|
]}
|
||||||
<div className="flex items-center gap-2 w-full md:w-auto">
|
|
||||||
<span className="text-sm font-medium text-foreground">Status</span>
|
|
||||||
<Select value={statusFilter} onValueChange={setStatusFilter}>
|
|
||||||
<SelectTrigger className="w-[160px] sm:w-[180px]">
|
|
||||||
<SelectValue placeholder="Status" />
|
|
||||||
</SelectTrigger>
|
|
||||||
<SelectContent>
|
|
||||||
<SelectItem value="all">Todos</SelectItem>
|
|
||||||
<SelectItem value="Ativo">Ativo</SelectItem>
|
|
||||||
<SelectItem value="Férias">Férias</SelectItem>
|
|
||||||
<SelectItem value="Inativo">Inativo</SelectItem>
|
|
||||||
</SelectContent>
|
|
||||||
</Select>
|
|
||||||
</div>
|
|
||||||
<div className="flex items-center gap-2 w-full md:w-auto">
|
|
||||||
<span className="text-sm font-medium text-foreground">
|
|
||||||
Itens por página
|
|
||||||
</span>
|
|
||||||
<Select
|
|
||||||
onValueChange={handleItemsPerPageChange}
|
|
||||||
defaultValue={String(itemsPerPage)}
|
|
||||||
>
|
|
||||||
<SelectTrigger className="w-[140px]">
|
|
||||||
<SelectValue placeholder="Itens por pág." />
|
|
||||||
</SelectTrigger>
|
|
||||||
<SelectContent>
|
|
||||||
<SelectItem value="5">5 por página</SelectItem>
|
|
||||||
<SelectItem value="10">10 por página</SelectItem>
|
|
||||||
<SelectItem value="20">20 por página</SelectItem>
|
|
||||||
</SelectContent>
|
|
||||||
</Select>
|
|
||||||
</div>
|
|
||||||
<Button variant="outline" className="ml-auto w-full md:w-auto">
|
|
||||||
<Filter className="w-4 h-4 mr-2" />
|
|
||||||
Filtro avançado
|
|
||||||
</Button>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
{/* Tabela de Médicos (Visível em Telas Médias e Maiores) */}
|
|
||||||
<div className="bg-white rounded-lg border border-gray-200 shadow-md overflow-hidden hidden md:block">
|
|
||||||
{loading ? (
|
|
||||||
<div className="p-8 text-center text-gray-500">
|
|
||||||
<Loader2 className="w-8 h-8 animate-spin mx-auto mb-3 text-green-600" />
|
|
||||||
Carregando médicos...
|
|
||||||
</div>
|
|
||||||
) : error ? (
|
|
||||||
<div className="p-8 text-center text-red-600">{error}</div>
|
|
||||||
) : filteredDoctors.length === 0 ? (
|
|
||||||
<div className="p-8 text-center text-gray-500">
|
|
||||||
{doctors.length === 0 ? (
|
|
||||||
<>
|
|
||||||
Nenhum médico cadastrado.{" "}
|
|
||||||
<Link
|
|
||||||
href="/manager/home/novo"
|
|
||||||
className="text-green-600 hover:underline"
|
|
||||||
>
|
|
||||||
Adicione um novo
|
|
||||||
</Link>
|
|
||||||
.
|
|
||||||
</>
|
|
||||||
) : (
|
|
||||||
"Nenhum médico encontrado com os filtros aplicados."
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
) : (
|
|
||||||
<div className="overflow-x-auto">
|
|
||||||
<table className="w-full min-w-[600px]">
|
|
||||||
<thead className="bg-gray-50 border-b border-gray-200">
|
|
||||||
<tr>
|
|
||||||
<th className="text-left p-2 md:p-4 font-medium text-gray-700">
|
|
||||||
Nome
|
|
||||||
</th>
|
|
||||||
<th className="text-left p-2 md:p-4 font-medium text-gray-700">
|
|
||||||
CRM
|
|
||||||
</th>
|
|
||||||
<th className="text-left p-2 md:p-4 font-medium text-gray-700">
|
|
||||||
Especialidade
|
|
||||||
</th>
|
|
||||||
<th className="text-left p-2 md:p-4 font-medium text-gray-700 hidden lg:table-cell">
|
|
||||||
Status
|
|
||||||
</th>
|
|
||||||
<th className="text-left p-2 md:p-4 font-medium text-gray-700 hidden xl:table-cell">
|
|
||||||
Cidade/Estado
|
|
||||||
</th>
|
|
||||||
<th className="text-right p-4 font-medium text-gray-700">
|
|
||||||
Ações
|
|
||||||
</th>
|
|
||||||
</tr>
|
|
||||||
</thead>
|
|
||||||
<tbody className="bg-white divide-y divide-gray-200">
|
|
||||||
{currentItems.map((doctor) => (
|
|
||||||
<tr key={doctor.id} className="hover:bg-gray-50 transition">
|
|
||||||
<td className="px-4 py-3 font-medium text-gray-900">
|
|
||||||
{doctor.full_name}
|
|
||||||
</td>
|
|
||||||
<td className="px-4 py-3 text-gray-500 hidden sm:table-cell">
|
|
||||||
{doctor.crm}
|
|
||||||
</td>
|
|
||||||
<td className="px-4 py-3 text-gray-500 hidden md:table-cell">
|
|
||||||
{doctor.specialty}
|
|
||||||
</td>
|
|
||||||
<td className="px-4 py-3 text-gray-500 hidden lg:table-cell">
|
|
||||||
{doctor.status || "N/A"}
|
|
||||||
</td>
|
|
||||||
<td className="px-4 py-3 text-gray-500 hidden xl:table-cell">
|
|
||||||
{doctor.city || doctor.state
|
|
||||||
? `${doctor.city || ""}${
|
|
||||||
doctor.city && doctor.state ? "/" : ""
|
|
||||||
}${doctor.state || ""}`
|
|
||||||
: "N/A"}
|
|
||||||
</td>
|
|
||||||
<td className="px-4 py-3 text-right">
|
|
||||||
<DropdownMenu>
|
|
||||||
<DropdownMenuTrigger asChild>
|
|
||||||
<div className="text-blue-600 cursor-pointer inline-block">
|
|
||||||
Ações
|
|
||||||
</div>
|
|
||||||
</DropdownMenuTrigger>
|
|
||||||
<DropdownMenuContent align="end">
|
|
||||||
<DropdownMenuItem
|
|
||||||
onClick={() => openDetailsDialog(doctor)}
|
|
||||||
>
|
|
||||||
<Eye className="mr-2 h-4 w-4" />
|
|
||||||
Ver detalhes
|
|
||||||
</DropdownMenuItem>
|
|
||||||
<DropdownMenuItem asChild>
|
|
||||||
<Link href={`/manager/home/${doctor.id}/editar`}>
|
|
||||||
<Edit className="mr-2 h-4 w-4" />
|
|
||||||
Editar
|
|
||||||
</Link>
|
|
||||||
</DropdownMenuItem>
|
|
||||||
<DropdownMenuItem>
|
|
||||||
<Calendar className="mr-2 h-4 w-4" />
|
|
||||||
Marcar consulta
|
|
||||||
</DropdownMenuItem>
|
|
||||||
<DropdownMenuItem
|
|
||||||
className="text-red-600"
|
|
||||||
onClick={() => openDeleteDialog(doctor.id)}
|
|
||||||
>
|
|
||||||
<Trash2 className="mr-2 h-4 w-4" />
|
|
||||||
Excluir
|
|
||||||
</DropdownMenuItem>
|
|
||||||
</DropdownMenuContent>
|
|
||||||
</DropdownMenu>
|
|
||||||
</td>
|
|
||||||
</tr>
|
|
||||||
))}
|
|
||||||
</tbody>
|
|
||||||
</table>
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
|
|
||||||
{/* Cards de Médicos (Visível Apenas em Telas Pequenas) */}
|
|
||||||
<div className="bg-white rounded-lg border border-gray-200 shadow-md p-4 block md:hidden">
|
|
||||||
{loading ? (
|
|
||||||
<div className="p-8 text-center text-gray-500">
|
|
||||||
<Loader2 className="w-8 h-8 animate-spin mx-auto mb-3 text-green-600" />
|
|
||||||
Carregando médicos...
|
|
||||||
</div>
|
|
||||||
) : error ? (
|
|
||||||
<div className="p-8 text-center text-red-600">{error}</div>
|
|
||||||
) : filteredDoctors.length === 0 ? (
|
|
||||||
<div className="p-8 text-center text-gray-500">
|
|
||||||
{doctors.length === 0 ? (
|
|
||||||
<>
|
|
||||||
Nenhum médico cadastrado.{" "}
|
|
||||||
<Link
|
|
||||||
href="/manager/home/novo"
|
|
||||||
className="text-green-600 hover:underline"
|
|
||||||
>
|
|
||||||
Adicione um novo
|
|
||||||
</Link>
|
|
||||||
.
|
|
||||||
</>
|
|
||||||
) : (
|
|
||||||
"Nenhum médico encontrado com os filtros aplicados."
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
) : (
|
|
||||||
<div className="space-y-4">
|
|
||||||
{currentItems.map((doctor) => (
|
|
||||||
<div
|
|
||||||
key={doctor.id}
|
|
||||||
className="bg-white-50 rounded-lg p-4 flex justify-between items-center border border-white-200"
|
|
||||||
>
|
>
|
||||||
<div>
|
{/* Seletor de Itens por Página (Filho do FilterBar) */}
|
||||||
<div className="font-semibold text-gray-900">
|
<div className="hidden lg:block">
|
||||||
{doctor.full_name}
|
<Select onValueChange={handleItemsPerPageChange} defaultValue={String(itemsPerPage)}>
|
||||||
|
<SelectTrigger className="w-[70px]">
|
||||||
|
<SelectValue placeholder="10" />
|
||||||
|
</SelectTrigger>
|
||||||
|
<SelectContent>
|
||||||
|
<SelectItem value="5">5</SelectItem>
|
||||||
|
<SelectItem value="10">10</SelectItem>
|
||||||
|
<SelectItem value="20">20</SelectItem>
|
||||||
|
</SelectContent>
|
||||||
|
</Select>
|
||||||
</div>
|
</div>
|
||||||
<div className="text-sm text-gray-600">
|
</FilterBar>
|
||||||
{doctor.specialty}
|
|
||||||
</div>
|
{/* Tabela de Médicos */}
|
||||||
</div>
|
<div className="bg-white rounded-lg border border-gray-200 shadow-md overflow-hidden hidden md:block">
|
||||||
<DropdownMenu>
|
{loading ? (
|
||||||
<DropdownMenuTrigger asChild>
|
<div className="p-8 text-center text-gray-500">
|
||||||
<div className="text-blue-600 cursor-pointer inline-block">
|
<Loader2 className="w-8 h-8 animate-spin mx-auto mb-3 text-green-600" />
|
||||||
Ações
|
Carregando médicos...
|
||||||
</div>
|
</div>
|
||||||
</DropdownMenuTrigger>
|
) : error ? (
|
||||||
<DropdownMenuContent align="end">
|
<div className="p-8 text-center text-red-600">{error}</div>
|
||||||
<DropdownMenuItem
|
) : filteredDoctors.length === 0 ? (
|
||||||
onClick={() => openDetailsDialog(doctor)}
|
<div className="p-8 text-center text-gray-500">
|
||||||
>
|
{doctors.length === 0
|
||||||
<Eye className="mr-2 h-4 w-4" />
|
? <>Nenhum médico cadastrado. <Link href="/manager/home/novo" className="text-green-600 hover:underline">Adicione um novo</Link>.</>
|
||||||
Ver detalhes
|
: "Nenhum médico encontrado com os filtros aplicados."
|
||||||
</DropdownMenuItem>
|
}
|
||||||
<DropdownMenuItem asChild>
|
</div>
|
||||||
<Link href={`/manager/home/${doctor.id}/editar`}>
|
) : (
|
||||||
<Edit className="mr-2 h-4 w-4" />
|
<div className="overflow-x-auto">
|
||||||
Editar
|
<table className="w-full min-w-[600px]">
|
||||||
</Link>
|
<thead className="bg-gray-50 border-b border-gray-200">
|
||||||
</DropdownMenuItem>
|
<tr>
|
||||||
<DropdownMenuItem>
|
<th className="text-left p-2 md:p-4 font-medium text-gray-700">Nome</th>
|
||||||
<Calendar className="mr-2 h-4 w-4" />
|
<th className="text-left p-2 md:p-4 font-medium text-gray-700">CRM</th>
|
||||||
Marcar consulta
|
<th className="text-left p-2 md:p-4 font-medium text-gray-700">Especialidade</th>
|
||||||
</DropdownMenuItem>
|
<th className="text-left p-2 md:p-4 font-medium text-gray-700 hidden lg:table-cell">Status</th>
|
||||||
<DropdownMenuItem
|
<th className="text-left p-2 md:p-4 font-medium text-gray-700 hidden xl:table-cell">Cidade/Estado</th>
|
||||||
className="text-red-600"
|
<th className="text-right p-4 font-medium text-gray-700">Ações</th>
|
||||||
onClick={() => openDeleteDialog(doctor.id)}
|
</tr>
|
||||||
>
|
</thead>
|
||||||
<Trash2 className="mr-2 h-4 w-4" />
|
<tbody className="bg-white divide-y divide-gray-200">
|
||||||
Excluir
|
{currentItems.map((doctor) => (
|
||||||
</DropdownMenuItem>
|
<tr key={doctor.id} className="hover:bg-gray-50 transition">
|
||||||
</DropdownMenuContent>
|
<td className="px-4 py-3 font-medium text-gray-900">
|
||||||
</DropdownMenu>
|
{doctor.full_name}
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3 text-gray-500 hidden sm:table-cell">{doctor.crm}</td>
|
||||||
|
<td className="px-4 py-3 text-gray-500 hidden md:table-cell">
|
||||||
|
{/* Exibe Especialidade Normalizada */}
|
||||||
|
{normalizeSpecialty(doctor.specialty)}
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3 text-gray-500 hidden lg:table-cell">
|
||||||
|
<span className={`px-2 py-1 rounded-full text-xs ${
|
||||||
|
doctor.status === 'Ativo' ? 'bg-green-100 text-green-800' :
|
||||||
|
doctor.status === 'Inativo' ? 'bg-red-100 text-red-800' : 'bg-yellow-100 text-yellow-800'
|
||||||
|
}`}>
|
||||||
|
{doctor.status || "N/A"}
|
||||||
|
</span>
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3 text-gray-500 hidden xl:table-cell">
|
||||||
|
{(doctor.city || doctor.state)
|
||||||
|
? `${doctor.city || ""}${doctor.city && doctor.state ? '/' : ''}${doctor.state || ""}`
|
||||||
|
: "N/A"}
|
||||||
|
</td>
|
||||||
|
<td className="px-4 py-3 text-right">
|
||||||
|
<DropdownMenu>
|
||||||
|
<DropdownMenuTrigger asChild>
|
||||||
|
<div className="text-black-600 cursor-pointer inline-block">
|
||||||
|
<MoreVertical className="h-4 w-4" />
|
||||||
|
</div>
|
||||||
|
</DropdownMenuTrigger>
|
||||||
|
<DropdownMenuContent align="end">
|
||||||
|
<DropdownMenuItem onClick={() => openDetailsDialog(doctor)}>
|
||||||
|
<Eye className="mr-2 h-4 w-4" />
|
||||||
|
Ver detalhes
|
||||||
|
</DropdownMenuItem>
|
||||||
|
<DropdownMenuItem asChild>
|
||||||
|
<Link href={`/manager/home/${doctor.id}/editar`}>
|
||||||
|
<Edit className="mr-2 h-4 w-4" />
|
||||||
|
Editar
|
||||||
|
</Link>
|
||||||
|
</DropdownMenuItem>
|
||||||
|
<DropdownMenuItem>
|
||||||
|
<Calendar className="mr-2 h-4 w-4" />
|
||||||
|
Marcar consulta
|
||||||
|
</DropdownMenuItem>
|
||||||
|
<DropdownMenuItem className="text-red-600" onClick={() => openDeleteDialog(doctor.id)}>
|
||||||
|
<Trash2 className="mr-2 h-4 w-4" />
|
||||||
|
Excluir
|
||||||
|
</DropdownMenuItem>
|
||||||
|
</DropdownMenuContent>
|
||||||
|
</DropdownMenu>
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
))}
|
||||||
|
</tbody>
|
||||||
|
</table>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Cards de Médicos (Mobile) */}
|
||||||
|
<div className="bg-white rounded-lg border border-gray-200 shadow-md p-4 block md:hidden">
|
||||||
|
{loading ? (
|
||||||
|
<div className="p-8 text-center text-gray-500">
|
||||||
|
<Loader2 className="w-8 h-8 animate-spin mx-auto mb-3 text-green-600" />
|
||||||
|
Carregando médicos...
|
||||||
|
</div>
|
||||||
|
) : error ? (
|
||||||
|
<div className="p-8 text-center text-red-600">{error}</div>
|
||||||
|
) : filteredDoctors.length === 0 ? (
|
||||||
|
<div className="p-8 text-center text-gray-500">
|
||||||
|
{doctors.length === 0
|
||||||
|
? <>Nenhum médico cadastrado. <Link href="/manager/home/novo" className="text-green-600 hover:underline">Adicione um novo</Link>.</>
|
||||||
|
: "Nenhum médico encontrado com os filtros aplicados."
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
) : (
|
||||||
|
<div className="space-y-4">
|
||||||
|
{currentItems.map((doctor) => (
|
||||||
|
<div key={doctor.id} className="bg-gray-50 rounded-lg p-4 flex justify-between items-center border border-gray-100">
|
||||||
|
<div>
|
||||||
|
<div className="font-semibold text-gray-900">{doctor.full_name}</div>
|
||||||
|
<div className="text-xs text-gray-500 mb-1">{doctor.phone_mobile}</div>
|
||||||
|
<div className="text-sm text-gray-600">{normalizeSpecialty(doctor.specialty)}</div>
|
||||||
|
<div className="text-xs mt-1">
|
||||||
|
<span className={`px-2 py-0.5 rounded-full text-xs ${
|
||||||
|
doctor.status === 'Ativo' ? 'bg-green-100 text-green-800' :
|
||||||
|
doctor.status === 'Inativo' ? 'bg-red-100 text-red-800' : 'bg-yellow-100 text-yellow-800'
|
||||||
|
}`}>
|
||||||
|
{doctor.status || "N/A"}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<DropdownMenu>
|
||||||
|
<DropdownMenuTrigger asChild>
|
||||||
|
<Button variant="ghost" size="sm" className="h-8 w-8 p-0">
|
||||||
|
<span className="sr-only">Abrir menu</span>
|
||||||
|
<div className="font-bold text-gray-500">...</div>
|
||||||
|
</Button>
|
||||||
|
</DropdownMenuTrigger>
|
||||||
|
<DropdownMenuContent align="end">
|
||||||
|
<DropdownMenuItem onClick={() => openDetailsDialog(doctor)}>
|
||||||
|
<Eye className="mr-2 h-4 w-4" />
|
||||||
|
Ver detalhes
|
||||||
|
</DropdownMenuItem>
|
||||||
|
<DropdownMenuItem asChild>
|
||||||
|
<Link href={`/manager/home/${doctor.id}/editar`}>
|
||||||
|
<Edit className="mr-2 h-4 w-4" />
|
||||||
|
Editar
|
||||||
|
</Link>
|
||||||
|
</DropdownMenuItem>
|
||||||
|
<DropdownMenuItem className="text-red-600" onClick={() => openDeleteDialog(doctor.id)}>
|
||||||
|
<Trash2 className="mr-2 h-4 w-4" />
|
||||||
|
Excluir
|
||||||
|
</DropdownMenuItem>
|
||||||
|
</DropdownMenuContent>
|
||||||
|
</DropdownMenu>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
</div>
|
</div>
|
||||||
))}
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
|
|
||||||
{/* Paginação */}
|
{/* Paginação */}
|
||||||
{totalPages > 1 && (
|
{totalPages > 1 && (
|
||||||
@ -511,31 +458,22 @@ export default function DoctorsPage() {
|
|||||||
</div>
|
</div>
|
||||||
)}
|
)}
|
||||||
|
|
||||||
{/* Dialogs de Exclusão e Detalhes */}
|
{/* Dialogs (Exclusão e Detalhes) */}
|
||||||
<AlertDialog open={deleteDialogOpen} onOpenChange={setDeleteDialogOpen}>
|
<AlertDialog open={deleteDialogOpen} onOpenChange={setDeleteDialogOpen}>
|
||||||
<AlertDialogContent>
|
<AlertDialogContent>
|
||||||
<AlertDialogHeader>
|
<AlertDialogHeader>
|
||||||
<AlertDialogTitle>Confirma a exclusão?</AlertDialogTitle>
|
<AlertDialogTitle>Confirma a exclusão?</AlertDialogTitle>
|
||||||
<AlertDialogDescription>
|
<AlertDialogDescription>Esta ação é irreversível e excluirá permanentemente o registro deste médico.</AlertDialogDescription>
|
||||||
Esta ação é irreversível e excluirá permanentemente o registro
|
</AlertDialogHeader>
|
||||||
deste médico.
|
<AlertDialogFooter>
|
||||||
</AlertDialogDescription>
|
<AlertDialogCancel disabled={loading}>Cancelar</AlertDialogCancel>
|
||||||
</AlertDialogHeader>
|
<AlertDialogAction onClick={handleDelete} className="bg-red-600 hover:bg-red-700" disabled={loading}>
|
||||||
<AlertDialogFooter>
|
{loading ? <Loader2 className="w-4 h-4 mr-2 animate-spin" /> : null}
|
||||||
<AlertDialogCancel disabled={loading}>Cancelar</AlertDialogCancel>
|
Excluir
|
||||||
<AlertDialogAction
|
</AlertDialogAction>
|
||||||
onClick={handleDelete}
|
</AlertDialogFooter>
|
||||||
className="bg-red-600 hover:bg-red-700"
|
</AlertDialogContent>
|
||||||
disabled={loading}
|
</AlertDialog>
|
||||||
>
|
|
||||||
{loading ? (
|
|
||||||
<Loader2 className="w-4 h-4 mr-2 animate-spin" />
|
|
||||||
) : null}
|
|
||||||
Excluir
|
|
||||||
</AlertDialogAction>
|
|
||||||
</AlertDialogFooter>
|
|
||||||
</AlertDialogContent>
|
|
||||||
</AlertDialog>
|
|
||||||
|
|
||||||
<AlertDialog
|
<AlertDialog
|
||||||
open={detailsDialogOpen}
|
open={detailsDialogOpen}
|
||||||
|
|||||||
@ -16,7 +16,16 @@ import {
|
|||||||
SelectTrigger,
|
SelectTrigger,
|
||||||
SelectValue,
|
SelectValue,
|
||||||
} from "@/components/ui/select";
|
} from "@/components/ui/select";
|
||||||
import { Edit, Trash2, Eye, Calendar, Filter, Loader2 } from "lucide-react";
|
import {
|
||||||
|
Plus,
|
||||||
|
Edit,
|
||||||
|
Trash2,
|
||||||
|
Eye,
|
||||||
|
Calendar,
|
||||||
|
Filter,
|
||||||
|
Loader2,
|
||||||
|
MoreVertical,
|
||||||
|
} from "lucide-react";
|
||||||
import {
|
import {
|
||||||
AlertDialog,
|
AlertDialog,
|
||||||
AlertDialogAction,
|
AlertDialogAction,
|
||||||
@ -81,7 +90,9 @@ export default function PacientesPage() {
|
|||||||
estado: p.state ?? "—",
|
estado: p.state ?? "—",
|
||||||
// Formate as datas se necessário, aqui usamos como string
|
// Formate as datas se necessário, aqui usamos como string
|
||||||
ultimoAtendimento: p.last_visit_at?.split("T")[0] ?? "—",
|
ultimoAtendimento: p.last_visit_at?.split("T")[0] ?? "—",
|
||||||
proximoAtendimento: p.next_appointment_at?.split("T")[0] ?? "—",
|
proximoAtendimento: p.next_appointment_at
|
||||||
|
? p.next_appointment_at.split("T")[0].split("-").reverse().join("-")
|
||||||
|
: "—",
|
||||||
vip: Boolean(p.vip ?? false),
|
vip: Boolean(p.vip ?? false),
|
||||||
convenio: p.convenio ?? "Particular", // Define um valor padrão
|
convenio: p.convenio ?? "Particular", // Define um valor padrão
|
||||||
status: p.status ?? undefined,
|
status: p.status ?? undefined,
|
||||||
@ -302,7 +313,6 @@ export default function PacientesPage() {
|
|||||||
{patient.nome?.charAt(0) || "?"}
|
{patient.nome?.charAt(0) || "?"}
|
||||||
</span>
|
</span>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<span className="font-medium text-gray-900">
|
<span className="font-medium text-gray-900">
|
||||||
{patient.nome}
|
{patient.nome}
|
||||||
{patient.vip && (
|
{patient.vip && (
|
||||||
@ -330,8 +340,8 @@ export default function PacientesPage() {
|
|||||||
<td className="p-4">
|
<td className="p-4">
|
||||||
<DropdownMenu>
|
<DropdownMenu>
|
||||||
<DropdownMenuTrigger asChild>
|
<DropdownMenuTrigger asChild>
|
||||||
<div className="text-blue-600 cursor-pointer">
|
<div className="text-black-600 cursor-pointer">
|
||||||
Ações
|
<MoreVertical className="h-4 w-4" />
|
||||||
</div>
|
</div>
|
||||||
</DropdownMenuTrigger>
|
</DropdownMenuTrigger>
|
||||||
<DropdownMenuContent align="end">
|
<DropdownMenuContent align="end">
|
||||||
@ -343,7 +353,6 @@ export default function PacientesPage() {
|
|||||||
<Eye className="w-4 h-4 mr-2" />
|
<Eye className="w-4 h-4 mr-2" />
|
||||||
Ver detalhes
|
Ver detalhes
|
||||||
</DropdownMenuItem>
|
</DropdownMenuItem>
|
||||||
|
|
||||||
<DropdownMenuItem asChild>
|
<DropdownMenuItem asChild>
|
||||||
<Link
|
<Link
|
||||||
href={`/secretary/pacientes/${patient.id}/editar`}
|
href={`/secretary/pacientes/${patient.id}/editar`}
|
||||||
@ -379,90 +388,6 @@ export default function PacientesPage() {
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
{/* --- SEÇÃO DE CARDS (VISÍVEL APENAS EM TELAS MENORES QUE MD) --- */}
|
|
||||||
{/* Garantir que os cards apareçam em telas menores e se escondam em MD+ */}
|
|
||||||
<div className="bg-white rounded-lg border border-gray-200 shadow-md p-4 block md:hidden">
|
|
||||||
{error ? (
|
|
||||||
<div className="p-6 text-red-600">{`Erro ao carregar pacientes: ${error}`}</div>
|
|
||||||
) : loading ? (
|
|
||||||
<div className="p-6 text-center text-gray-500 flex items-center justify-center">
|
|
||||||
<Loader2 className="w-6 h-6 mr-2 animate-spin text-green-600" />{" "}
|
|
||||||
Carregando pacientes...
|
|
||||||
</div>
|
|
||||||
) : filteredPatients.length === 0 ? (
|
|
||||||
<div className="p-8 text-center text-gray-500">
|
|
||||||
{allPatients.length === 0
|
|
||||||
? "Nenhum paciente cadastrado"
|
|
||||||
: "Nenhum paciente encontrado com os filtros aplicados"}
|
|
||||||
</div>
|
|
||||||
) : (
|
|
||||||
<div className="space-y-4">
|
|
||||||
{currentPatients.map((patient) => (
|
|
||||||
<div
|
|
||||||
key={patient.id}
|
|
||||||
className="bg-gray-50 rounded-lg p-4 flex flex-col sm:flex-row justify-between items-start sm:items-center border border-gray-200"
|
|
||||||
>
|
|
||||||
<div className="flex-grow mb-2 sm:mb-0">
|
|
||||||
<div className="font-semibold text-lg text-gray-900 flex items-center">
|
|
||||||
{patient.nome}
|
|
||||||
{patient.vip && (
|
|
||||||
<span className="ml-2 px-2 py-0.5 text-xs font-semibold text-purple-600 bg-purple-100 rounded-full">
|
|
||||||
VIP
|
|
||||||
</span>
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
<div className="text-sm text-gray-600">
|
|
||||||
Telefone: {patient.telefone}
|
|
||||||
</div>
|
|
||||||
<div className="text-sm text-gray-600">
|
|
||||||
Convênio: {patient.convenio}
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
<DropdownMenu>
|
|
||||||
<DropdownMenuTrigger asChild>
|
|
||||||
<div className="w-full">
|
|
||||||
<Button variant="outline" className="w-full">
|
|
||||||
Ações
|
|
||||||
</Button>
|
|
||||||
</div>
|
|
||||||
</DropdownMenuTrigger>
|
|
||||||
<DropdownMenuContent align="end">
|
|
||||||
<DropdownMenuItem
|
|
||||||
onClick={() => openDetailsDialog(String(patient.id))}
|
|
||||||
>
|
|
||||||
<Eye className="w-4 h-4 mr-2" />
|
|
||||||
Ver detalhes
|
|
||||||
</DropdownMenuItem>
|
|
||||||
|
|
||||||
<DropdownMenuItem asChild>
|
|
||||||
<Link
|
|
||||||
href={`/secretary/pacientes/${patient.id}/editar`}
|
|
||||||
className="flex items-center w-full"
|
|
||||||
>
|
|
||||||
<Edit className="w-4 h-4 mr-2" />
|
|
||||||
Editar
|
|
||||||
</Link>
|
|
||||||
</DropdownMenuItem>
|
|
||||||
|
|
||||||
<DropdownMenuItem>
|
|
||||||
<Calendar className="w-4 h-4 mr-2" />
|
|
||||||
Marcar consulta
|
|
||||||
</DropdownMenuItem>
|
|
||||||
<DropdownMenuItem
|
|
||||||
className="text-red-600"
|
|
||||||
onClick={() => openDeleteDialog(String(patient.id))}
|
|
||||||
>
|
|
||||||
<Trash2 className="w-4 h-4 mr-2" />
|
|
||||||
Excluir
|
|
||||||
</DropdownMenuItem>
|
|
||||||
</DropdownMenuContent>
|
|
||||||
</DropdownMenu>
|
|
||||||
</div>
|
|
||||||
))}
|
|
||||||
</div>
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
|
|
||||||
{/* Paginação */}
|
{/* Paginação */}
|
||||||
{totalPages > 1 && !loading && (
|
{totalPages > 1 && !loading && (
|
||||||
<div className="flex flex-col sm:flex-row items-center justify-center p-4 border-t border-gray-200">
|
<div className="flex flex-col sm:flex-row items-center justify-center p-4 border-t border-gray-200">
|
||||||
|
|||||||
@ -3,23 +3,10 @@
|
|||||||
import React, { useEffect, useState, useCallback } from "react";
|
import React, { useEffect, useState, useCallback } from "react";
|
||||||
import Link from "next/link";
|
import Link from "next/link";
|
||||||
import { Button } from "@/components/ui/button";
|
import { Button } from "@/components/ui/button";
|
||||||
import {
|
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select";
|
||||||
Select,
|
import { Input } from "@/components/ui/input"; // <--- 1. Importação Adicionada
|
||||||
SelectContent,
|
import { Plus, Eye, Filter, Loader2, Search } from "lucide-react"; // <--- 1. Ícone Search Adicionado
|
||||||
SelectItem,
|
import { AlertDialog, AlertDialogCancel, AlertDialogContent, AlertDialogDescription, AlertDialogFooter, AlertDialogHeader, AlertDialogTitle } from "@/components/ui/alert-dialog";
|
||||||
SelectTrigger,
|
|
||||||
SelectValue,
|
|
||||||
} from "@/components/ui/select";
|
|
||||||
import { Plus, Eye, Filter, Loader2 } from "lucide-react";
|
|
||||||
import {
|
|
||||||
AlertDialog,
|
|
||||||
AlertDialogCancel,
|
|
||||||
AlertDialogContent,
|
|
||||||
AlertDialogDescription,
|
|
||||||
AlertDialogFooter,
|
|
||||||
AlertDialogHeader,
|
|
||||||
AlertDialogTitle,
|
|
||||||
} from "@/components/ui/alert-dialog";
|
|
||||||
import { api, login } from "services/api.mjs";
|
import { api, login } from "services/api.mjs";
|
||||||
import { usersService } from "services/usersApi.mjs";
|
import { usersService } from "services/usersApi.mjs";
|
||||||
import Sidebar from "@/components/Sidebar";
|
import Sidebar from "@/components/Sidebar";
|
||||||
@ -41,12 +28,15 @@ interface UserInfoResponse {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export default function UsersPage() {
|
export default function UsersPage() {
|
||||||
const [users, setUsers] = useState<FlatUser[]>([]);
|
const [users, setUsers] = useState<FlatUser[]>([]);
|
||||||
const [loading, setLoading] = useState(true);
|
const [loading, setLoading] = useState(true);
|
||||||
const [error, setError] = useState<string | null>(null);
|
const [error, setError] = useState<string | null>(null);
|
||||||
const [detailsDialogOpen, setDetailsDialogOpen] = useState(false);
|
const [detailsDialogOpen, setDetailsDialogOpen] = useState(false);
|
||||||
const [userDetails, setUserDetails] = useState<UserInfoResponse | null>(null);
|
const [userDetails, setUserDetails] = useState<UserInfoResponse | null>(null);
|
||||||
const [selectedRole, setSelectedRole] = useState<string>("all");
|
|
||||||
|
// --- Estados de Filtro ---
|
||||||
|
const [searchTerm, setSearchTerm] = useState(""); // <--- 2. Estado da busca
|
||||||
|
const [selectedRole, setSelectedRole] = useState<string>("all");
|
||||||
|
|
||||||
// --- Lógica de Paginação INÍCIO ---
|
// --- Lógica de Paginação INÍCIO ---
|
||||||
const [itemsPerPage, setItemsPerPage] = useState(10);
|
const [itemsPerPage, setItemsPerPage] = useState(10);
|
||||||
@ -130,10 +120,21 @@ export default function UsersPage() {
|
|||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
const filteredUsers =
|
// --- 3. Lógica de Filtragem Atualizada ---
|
||||||
selectedRole && selectedRole !== "all"
|
const filteredUsers = users.filter((u) => {
|
||||||
? users.filter((u) => u.role === selectedRole)
|
// Filtro por Papel (Role)
|
||||||
: users;
|
const roleMatch = selectedRole === "all" || u.role === selectedRole;
|
||||||
|
|
||||||
|
// Filtro da Barra de Pesquisa (Nome, Email ou Telefone)
|
||||||
|
const searchLower = searchTerm.toLowerCase();
|
||||||
|
const nameMatch = u.full_name?.toLowerCase().includes(searchLower);
|
||||||
|
const emailMatch = u.email?.toLowerCase().includes(searchLower);
|
||||||
|
const phoneMatch = u.phone?.includes(searchLower);
|
||||||
|
|
||||||
|
const searchMatch = !searchTerm || nameMatch || emailMatch || phoneMatch;
|
||||||
|
|
||||||
|
return roleMatch && searchMatch;
|
||||||
|
});
|
||||||
|
|
||||||
const indexOfLastItem = currentPage * itemsPerPage;
|
const indexOfLastItem = currentPage * itemsPerPage;
|
||||||
const indexOfFirstItem = indexOfLastItem - itemsPerPage;
|
const indexOfFirstItem = indexOfLastItem - itemsPerPage;
|
||||||
@ -191,63 +192,71 @@ export default function UsersPage() {
|
|||||||
</Link>
|
</Link>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
{/* Filtro e Itens por Página */}
|
{/* --- 4. Filtro (Barra de Pesquisa + Selects) --- */}
|
||||||
<div className="flex flex-wrap items-center gap-3 bg-white p-4 rounded-lg border border-gray-200">
|
<div className="flex flex-col md:flex-row items-start md:items-center gap-3 bg-white p-4 rounded-lg border border-gray-200">
|
||||||
{/* Select de Filtro por Papel - Ajustado para resetar a página */}
|
|
||||||
<div className="flex items-center gap-2 w-full md:w-auto">
|
|
||||||
<span className="text-sm font-medium text-foreground whitespace-nowrap">
|
|
||||||
Filtrar por papel
|
|
||||||
</span>
|
|
||||||
<Select
|
|
||||||
onValueChange={(value) => {
|
|
||||||
setSelectedRole(value);
|
|
||||||
setCurrentPage(1);
|
|
||||||
}}
|
|
||||||
value={selectedRole}
|
|
||||||
>
|
|
||||||
<SelectTrigger className="w-full sm:w-[180px]">
|
|
||||||
{" "}
|
|
||||||
{/* w-full para mobile, w-[180px] para sm+ */}
|
|
||||||
<SelectValue placeholder="Filtrar por papel" />
|
|
||||||
</SelectTrigger>
|
|
||||||
<SelectContent>
|
|
||||||
<SelectItem value="all">Todos</SelectItem>
|
|
||||||
<SelectItem value="admin">Admin</SelectItem>
|
|
||||||
<SelectItem value="gestor">Gestor</SelectItem>
|
|
||||||
<SelectItem value="medico">Médico</SelectItem>
|
|
||||||
<SelectItem value="secretaria">Secretária</SelectItem>
|
|
||||||
<SelectItem value="user">Usuário</SelectItem>
|
|
||||||
</SelectContent>
|
|
||||||
</Select>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
{/* Select de Itens por Página */}
|
{/* Barra de Pesquisa */}
|
||||||
<div className="flex items-center gap-2 w-full md:w-auto">
|
<div className="relative w-full md:flex-1">
|
||||||
<span className="text-sm font-medium text-foreground whitespace-nowrap">
|
<Search className="absolute left-3 top-1/2 transform -translate-y-1/2 h-4 w-4 text-gray-400" />
|
||||||
Itens por página
|
<Input
|
||||||
</span>
|
placeholder="Buscar por nome, e-mail ou telefone..."
|
||||||
<Select
|
value={searchTerm}
|
||||||
onValueChange={handleItemsPerPageChange}
|
onChange={(e) => {
|
||||||
defaultValue={String(itemsPerPage)}
|
setSearchTerm(e.target.value);
|
||||||
>
|
setCurrentPage(1); // Reseta a paginação ao pesquisar
|
||||||
<SelectTrigger className="w-full sm:w-[140px]">
|
}}
|
||||||
{" "}
|
className="pl-10 w-full bg-gray-50 border-gray-200 focus:bg-white transition-colors"
|
||||||
{/* w-full para mobile, w-[140px] para sm+ */}
|
/>
|
||||||
<SelectValue placeholder="Itens por pág." />
|
</div>
|
||||||
</SelectTrigger>
|
|
||||||
<SelectContent>
|
<div className="flex flex-wrap items-center gap-3 w-full md:w-auto">
|
||||||
<SelectItem value="5">5 por página</SelectItem>
|
{/* Select de Filtro por Papel */}
|
||||||
<SelectItem value="10">10 por página</SelectItem>
|
<div className="flex items-center gap-2 w-full md:w-auto">
|
||||||
<SelectItem value="20">20 por página</SelectItem>
|
<Select
|
||||||
</SelectContent>
|
onValueChange={(value) => {
|
||||||
</Select>
|
setSelectedRole(value);
|
||||||
</div>
|
setCurrentPage(1);
|
||||||
<Button variant="outline" className="ml-auto w-full md:w-auto">
|
}}
|
||||||
<Filter className="w-4 h-4 mr-2" />
|
value={selectedRole}>
|
||||||
Filtro avançado
|
|
||||||
</Button>
|
<SelectTrigger className="w-full sm:w-[150px]">
|
||||||
</div>
|
<SelectValue placeholder="Papel" />
|
||||||
{/* Fim do Filtro e Itens por Página */}
|
</SelectTrigger>
|
||||||
|
<SelectContent>
|
||||||
|
<SelectItem value="all">Todos</SelectItem>
|
||||||
|
<SelectItem value="admin">Admin</SelectItem>
|
||||||
|
<SelectItem value="gestor">Gestor</SelectItem>
|
||||||
|
<SelectItem value="medico">Médico</SelectItem>
|
||||||
|
<SelectItem value="secretaria">Secretária</SelectItem>
|
||||||
|
<SelectItem value="user">Usuário</SelectItem>
|
||||||
|
</SelectContent>
|
||||||
|
</Select>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Select de Itens por Página */}
|
||||||
|
<div className="flex items-center gap-2 w-full md:w-auto">
|
||||||
|
<Select
|
||||||
|
onValueChange={handleItemsPerPageChange}
|
||||||
|
defaultValue={String(itemsPerPage)}
|
||||||
|
>
|
||||||
|
<SelectTrigger className="w-full sm:w-[80px]">
|
||||||
|
<SelectValue placeholder="10" />
|
||||||
|
</SelectTrigger>
|
||||||
|
<SelectContent>
|
||||||
|
<SelectItem value="5">5</SelectItem>
|
||||||
|
<SelectItem value="10">10</SelectItem>
|
||||||
|
<SelectItem value="20">20</SelectItem>
|
||||||
|
</SelectContent>
|
||||||
|
</Select>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<Button variant="outline" className="ml-auto w-full md:w-auto hidden lg:flex">
|
||||||
|
<Filter className="w-4 h-4 mr-2" />
|
||||||
|
Filtros
|
||||||
|
</Button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
{/* Fim do Filtro */}
|
||||||
|
|
||||||
{/* Tabela/Lista */}
|
{/* Tabela/Lista */}
|
||||||
<div className="bg-white rounded-lg border border-gray-200 shadow-md overflow-x-auto">
|
<div className="bg-white rounded-lg border border-gray-200 shadow-md overflow-x-auto">
|
||||||
@ -315,34 +324,34 @@ export default function UsersPage() {
|
|||||||
</tbody>
|
</tbody>
|
||||||
</table>
|
</table>
|
||||||
|
|
||||||
{/* Layout em Cards/Lista para Telas Pequenas */}
|
{/* Layout em Cards/Lista para Telas Pequenas */}
|
||||||
<div className="md:hidden divide-y divide-gray-200">
|
<div className="md:hidden divide-y divide-gray-200">
|
||||||
{currentItems.map((u) => (
|
{currentItems.map((u) => (
|
||||||
<div
|
<div key={u.id} className="flex items-center justify-between p-4 hover:bg-gray-50">
|
||||||
key={u.id}
|
<div className="flex-1 min-w-0">
|
||||||
className="flex items-center justify-between p-4 hover:bg-gray-50"
|
<div className="text-sm font-medium text-gray-900 truncate">
|
||||||
>
|
{u.full_name || "—"}
|
||||||
<div className="flex-1 min-w-0">
|
</div>
|
||||||
<div className="text-sm font-medium text-gray-900 truncate">
|
<div className="text-xs text-gray-500 truncate">
|
||||||
{u.full_name || "—"}
|
{u.email}
|
||||||
</div>
|
</div>
|
||||||
<div className="text-sm text-gray-500 capitalize">
|
<div className="text-sm text-gray-500 capitalize mt-1">
|
||||||
{u.role || "—"}
|
{u.role || "—"}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div className="ml-4 flex-shrink-0">
|
<div className="ml-4 flex-shrink-0">
|
||||||
<Button
|
<Button
|
||||||
variant="outline"
|
variant="outline"
|
||||||
size="icon"
|
size="icon"
|
||||||
onClick={() => openDetailsDialog(u)}
|
onClick={() => openDetailsDialog(u)}
|
||||||
title="Visualizar"
|
title="Visualizar"
|
||||||
>
|
>
|
||||||
<Eye className="h-4 w-4" />
|
<Eye className="h-4 w-4" />
|
||||||
</Button>
|
</Button>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
))}
|
))}
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
{/* Paginação */}
|
{/* Paginação */}
|
||||||
{totalPages > 1 && (
|
{totalPages > 1 && (
|
||||||
|
|||||||
@ -100,7 +100,7 @@ export default function InicialPage() {
|
|||||||
<Link href="/login">
|
<Link href="/login">
|
||||||
<Button
|
<Button
|
||||||
variant="outline"
|
variant="outline"
|
||||||
className="rounded-full px-6 py-2 border-2 border-[#007BFF] text-[#007BFF] hover:bg-[#007BFF] hover:text-white transition"
|
className="rounded-full px-6 py-2 border-2 border-[#007BFF] text-[#007BFF] hover:bg-[#007BFF] hover:text-white transition cursor-pointer"
|
||||||
>
|
>
|
||||||
Login
|
Login
|
||||||
</Button>
|
</Button>
|
||||||
|
|||||||
@ -283,33 +283,24 @@ export default function SecretaryAppointments() {
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div className="flex gap-2 mt-4 pt-4 border-t">
|
<div className="flex gap-2 mt-4 pt-4 border-t">
|
||||||
<Button
|
<Button variant="outline" size="sm" onClick={() => handleEdit(appointment)}>
|
||||||
variant="outline"
|
<Pencil className="mr-2 h-4 w-4" />
|
||||||
size="sm"
|
Editar
|
||||||
onClick={() => handleEdit(appointment)}
|
</Button>
|
||||||
>
|
<Button variant="outline" size="sm" className="text-red-600 hover:text-red-700 hover:bg-red-50 bg-transparent" onClick={() => handleDelete(appointment)}>
|
||||||
<Pencil className="mr-2 h-4 w-4" />
|
<Trash2 className="mr-2 h-4 w-4" />
|
||||||
Editar
|
Cancelar
|
||||||
</Button>
|
</Button>
|
||||||
<Button
|
</div>
|
||||||
variant="outline"
|
</CardContent>
|
||||||
size="sm"
|
</Card>
|
||||||
className="text-red-600 hover:text-red-700 hover:bg-red-50 bg-transparent"
|
))
|
||||||
onClick={() => handleDelete(appointment)}
|
) : (
|
||||||
>
|
<p>Nenhuma consulta encontrada.</p>
|
||||||
<Trash2 className="mr-2 h-4 w-4" />
|
)}
|
||||||
Deletar
|
</div>
|
||||||
</Button>
|
</div>
|
||||||
</div>
|
|
||||||
</CardContent>
|
|
||||||
</Card>
|
|
||||||
))
|
|
||||||
) : (
|
|
||||||
<p>Nenhuma consulta encontrada.</p>
|
|
||||||
)}
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
{/* MODAL DE EDIÇÃO */}
|
{/* MODAL DE EDIÇÃO */}
|
||||||
<Dialog open={editModal} onOpenChange={setEditModal}>
|
<Dialog open={editModal} onOpenChange={setEditModal}>
|
||||||
|
|||||||
@ -4,38 +4,11 @@
|
|||||||
import { useState, useEffect, useCallback } from "react";
|
import { useState, useEffect, useCallback } from "react";
|
||||||
import Link from "next/link";
|
import Link from "next/link";
|
||||||
import { Button } from "@/components/ui/button";
|
import { Button } from "@/components/ui/button";
|
||||||
import {
|
import { DropdownMenu, DropdownMenuContent, DropdownMenuItem, DropdownMenuTrigger } from "@/components/ui/dropdown-menu";
|
||||||
DropdownMenu,
|
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select";
|
||||||
DropdownMenuContent,
|
import { Plus, Edit, Trash2, Eye, Calendar, Filter, Loader2, MoreVertical } from "lucide-react";
|
||||||
DropdownMenuItem,
|
import { AlertDialog, AlertDialogAction, AlertDialogCancel, AlertDialogContent, AlertDialogDescription, AlertDialogFooter, AlertDialogHeader, AlertDialogTitle } from "@/components/ui/alert-dialog";
|
||||||
DropdownMenuTrigger,
|
import SecretaryLayout from "@/components/secretary-layout";
|
||||||
} from "@/components/ui/dropdown-menu";
|
|
||||||
import {
|
|
||||||
Select,
|
|
||||||
SelectContent,
|
|
||||||
SelectItem,
|
|
||||||
SelectTrigger,
|
|
||||||
SelectValue,
|
|
||||||
} from "@/components/ui/select";
|
|
||||||
import {
|
|
||||||
Plus,
|
|
||||||
Edit,
|
|
||||||
Trash2,
|
|
||||||
Eye,
|
|
||||||
Calendar,
|
|
||||||
Filter,
|
|
||||||
Loader2,
|
|
||||||
} from "lucide-react";
|
|
||||||
import {
|
|
||||||
AlertDialog,
|
|
||||||
AlertDialogAction,
|
|
||||||
AlertDialogCancel,
|
|
||||||
AlertDialogContent,
|
|
||||||
AlertDialogDescription,
|
|
||||||
AlertDialogFooter,
|
|
||||||
AlertDialogHeader,
|
|
||||||
AlertDialogTitle,
|
|
||||||
} from "@/components/ui/alert-dialog";
|
|
||||||
import { patientsService } from "@/services/patientsApi.mjs";
|
import { patientsService } from "@/services/patientsApi.mjs";
|
||||||
import Sidebar from "@/components/Sidebar";
|
import Sidebar from "@/components/Sidebar";
|
||||||
|
|
||||||
@ -43,58 +16,59 @@ import Sidebar from "@/components/Sidebar";
|
|||||||
const PAGE_SIZE = 5;
|
const PAGE_SIZE = 5;
|
||||||
|
|
||||||
export default function PacientesPage() {
|
export default function PacientesPage() {
|
||||||
// --- ESTADOS DE DADOS E GERAL ---
|
// --- ESTADOS DE DADOS E GERAL ---
|
||||||
const [searchTerm, setSearchTerm] = useState("");
|
const [searchTerm, setSearchTerm] = useState("");
|
||||||
const [convenioFilter, setConvenioFilter] = useState("all");
|
const [convenioFilter, setConvenioFilter] = useState("all");
|
||||||
const [vipFilter, setVipFilter] = useState("all");
|
const [vipFilter, setVipFilter] = useState("all");
|
||||||
|
|
||||||
// Lista completa, carregada da API uma única vez
|
// Lista completa, carregada da API uma única vez
|
||||||
const [allPatients, setAllPatients] = useState<any[]>([]);
|
const [allPatients, setAllPatients] = useState<any[]>([]);
|
||||||
// Lista após a aplicação dos filtros (base para a paginação)
|
// Lista após a aplicação dos filtros (base para a paginação)
|
||||||
const [filteredPatients, setFilteredPatients] = useState<any[]>([]);
|
const [filteredPatients, setFilteredPatients] = useState<any[]>([]);
|
||||||
|
|
||||||
const [loading, setLoading] = useState(true);
|
const [loading, setLoading] = useState(true);
|
||||||
const [error, setError] = useState<string | null>(null);
|
const [error, setError] = useState<string | null>(null);
|
||||||
|
|
||||||
// --- ESTADOS DE PAGINAÇÃO ---
|
// --- ESTADOS DE PAGINAÇÃO ---
|
||||||
const [page, setPage] = useState(1);
|
const [page, setPage] = useState(1);
|
||||||
|
|
||||||
// CÁLCULO DA PAGINAÇÃO
|
// CÁLCULO DA PAGINAÇÃO
|
||||||
const totalPages = Math.ceil(filteredPatients.length / PAGE_SIZE);
|
const totalPages = Math.ceil(filteredPatients.length / PAGE_SIZE);
|
||||||
const startIndex = (page - 1) * PAGE_SIZE;
|
const startIndex = (page - 1) * PAGE_SIZE;
|
||||||
const endIndex = startIndex + PAGE_SIZE;
|
const endIndex = startIndex + PAGE_SIZE;
|
||||||
// Pacientes a serem exibidos na tabela (aplicando a paginação)
|
// Pacientes a serem exibidos na tabela (aplicando a paginação)
|
||||||
const currentPatients = filteredPatients.slice(startIndex, endIndex);
|
const currentPatients = filteredPatients.slice(startIndex, endIndex);
|
||||||
|
|
||||||
// --- ESTADOS DE DIALOGS ---
|
// --- ESTADOS DE DIALOGS ---
|
||||||
const [deleteDialogOpen, setDeleteDialogOpen] = useState(false);
|
const [deleteDialogOpen, setDeleteDialogOpen] = useState(false);
|
||||||
const [patientToDelete, setPatientToDelete] = useState<string | null>(null);
|
const [patientToDelete, setPatientToDelete] = useState<string | null>(null);
|
||||||
const [detailsDialogOpen, setDetailsDialogOpen] = useState(false);
|
const [detailsDialogOpen, setDetailsDialogOpen] = useState(false);
|
||||||
const [patientDetails, setPatientDetails] = useState<any | null>(null);
|
const [patientDetails, setPatientDetails] = useState<any | null>(null);
|
||||||
|
|
||||||
// --- FUNÇÕES DE LÓGICA ---
|
// --- FUNÇÕES DE LÓGICA ---
|
||||||
|
|
||||||
// 1. Função para carregar TODOS os pacientes da API
|
// 1. Função para carregar TODOS os pacientes da API
|
||||||
const fetchAllPacientes = useCallback(async () => {
|
const fetchAllPacientes = useCallback(
|
||||||
setLoading(true);
|
async () => {
|
||||||
setError(null);
|
setLoading(true);
|
||||||
try {
|
setError(null);
|
||||||
// Como o backend retorna um array, chamamos sem paginação
|
try {
|
||||||
const res = await patientsService.list();
|
// Como o backend retorna um array, chamamos sem paginação
|
||||||
|
const res = await patientsService.list();
|
||||||
|
|
||||||
const mapped = res.map((p: any) => ({
|
const mapped = res.map((p: any) => ({
|
||||||
id: String(p.id ?? ""),
|
id: String(p.id ?? ""),
|
||||||
nome: p.full_name ?? "—",
|
nome: p.full_name ?? "—",
|
||||||
telefone: p.phone_mobile ?? p.phone1 ?? "—",
|
telefone: p.phone_mobile ?? p.phone1 ?? "—",
|
||||||
cidade: p.city ?? "—",
|
cidade: p.city ?? "—",
|
||||||
estado: p.state ?? "—",
|
estado: p.state ?? "—",
|
||||||
// Formate as datas se necessário, aqui usamos como string
|
// Formate as datas se necessário, aqui usamos como string
|
||||||
ultimoAtendimento: p.last_visit_at?.split("T")[0] ?? "—",
|
ultimoAtendimento: p.last_visit_at?.split('T')[0] ?? "—",
|
||||||
proximoAtendimento: p.next_appointment_at?.split("T")[0] ?? "—",
|
proximoAtendimento: p.next_appointment_at?.split('T')[0] ?? "—",
|
||||||
vip: Boolean(p.vip ?? false),
|
vip: Boolean(p.vip ?? false),
|
||||||
convenio: p.convenio ?? "Particular", // Define um valor padrão
|
convenio: p.convenio ?? "Particular", // Define um valor padrão
|
||||||
status: p.status ?? undefined,
|
status: p.status ?? undefined,
|
||||||
}));
|
}));
|
||||||
|
|
||||||
setAllPatients(mapped);
|
setAllPatients(mapped);
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
@ -105,31 +79,32 @@ export default function PacientesPage() {
|
|||||||
}
|
}
|
||||||
}, []);
|
}, []);
|
||||||
|
|
||||||
// 2. Efeito para aplicar filtros e calcular a lista filtrada (chama-se quando allPatients ou filtros mudam)
|
// 2. Efeito para aplicar filtros e calcular a lista filtrada (chama-se quando allPatients ou filtros mudam)
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
const filtered = allPatients.filter((patient) => {
|
const filtered = allPatients.filter((patient) => {
|
||||||
// Filtro por termo de busca (Nome ou Telefone)
|
// Filtro por termo de busca (Nome ou Telefone)
|
||||||
const matchesSearch =
|
const matchesSearch =
|
||||||
patient.nome?.toLowerCase().includes(searchTerm.toLowerCase()) ||
|
patient.nome?.toLowerCase().includes(searchTerm.toLowerCase()) ||
|
||||||
patient.telefone?.includes(searchTerm);
|
patient.telefone?.includes(searchTerm);
|
||||||
|
|
||||||
// Filtro por Convênio
|
// Filtro por Convênio
|
||||||
const matchesConvenio =
|
const matchesConvenio =
|
||||||
convenioFilter === "all" || patient.convenio === convenioFilter;
|
convenioFilter === "all" ||
|
||||||
|
patient.convenio === convenioFilter;
|
||||||
|
|
||||||
// Filtro por VIP
|
// Filtro por VIP
|
||||||
const matchesVip =
|
const matchesVip =
|
||||||
vipFilter === "all" ||
|
vipFilter === "all" ||
|
||||||
(vipFilter === "vip" && patient.vip) ||
|
(vipFilter === "vip" && patient.vip) ||
|
||||||
(vipFilter === "regular" && !patient.vip);
|
(vipFilter === "regular" && !patient.vip);
|
||||||
|
|
||||||
return matchesSearch && matchesConvenio && matchesVip;
|
return matchesSearch && matchesConvenio && matchesVip;
|
||||||
});
|
});
|
||||||
|
|
||||||
setFilteredPatients(filtered);
|
setFilteredPatients(filtered);
|
||||||
// Garante que a página atual seja válida após a filtragem
|
// Garante que a página atual seja válida após a filtragem
|
||||||
setPage(1);
|
setPage(1);
|
||||||
}, [allPatients, searchTerm, convenioFilter, vipFilter]);
|
}, [allPatients, searchTerm, convenioFilter, vipFilter]);
|
||||||
|
|
||||||
// 3. Efeito inicial para buscar os pacientes
|
// 3. Efeito inicial para buscar os pacientes
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
@ -137,18 +112,18 @@ export default function PacientesPage() {
|
|||||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||||
}, []);
|
}, []);
|
||||||
|
|
||||||
// --- LÓGICA DE AÇÕES (DELETAR / VER DETALHES) ---
|
// --- LÓGICA DE AÇÕES (DELETAR / VER DETALHES) ---
|
||||||
|
|
||||||
const openDetailsDialog = async (patientId: string) => {
|
const openDetailsDialog = async (patientId: string) => {
|
||||||
setDetailsDialogOpen(true);
|
setDetailsDialogOpen(true);
|
||||||
setPatientDetails(null);
|
setPatientDetails(null);
|
||||||
try {
|
try {
|
||||||
const res = await patientsService.getById(patientId);
|
const res = await patientsService.getById(patientId);
|
||||||
setPatientDetails(Array.isArray(res) ? res[0] : res); // Supondo que retorne um array com um item
|
setPatientDetails(Array.isArray(res) ? res[0] : res); // Supondo que retorne um array com um item
|
||||||
} catch (e: any) {
|
} catch (e: any) {
|
||||||
setPatientDetails({ error: e?.message || "Erro ao buscar detalhes" });
|
setPatientDetails({ error: e?.message || "Erro ao buscar detalhes" });
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
const handleDeletePatient = async (patientId: string) => {
|
const handleDeletePatient = async (patientId: string) => {
|
||||||
try {
|
try {
|
||||||
@ -192,19 +167,18 @@ export default function PacientesPage() {
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
{/* Bloco de Filtros (Responsividade APLICADA) */}
|
{/* Bloco de Filtros (Responsividade APLICADA) */}
|
||||||
<div className="flex flex-wrap items-center gap-4 bg-card p-4 rounded-lg border border-border">
|
<div className="flex flex-wrap items-center gap-4 bg-card p-4 rounded-lg border border-border">
|
||||||
<Filter className="w-5 h-5 text-gray-400" />
|
<Filter className="w-5 h-5 text-gray-400" />
|
||||||
|
|
||||||
{/* Busca - Ocupa 100% no mobile, depois cresce */}
|
{/* Busca - Ocupa 100% no mobile, depois cresce */}
|
||||||
<input
|
<input
|
||||||
type="text"
|
type="text"
|
||||||
placeholder="Buscar por nome ou telefone..."
|
placeholder="Buscar por nome ou telefone..."
|
||||||
value={searchTerm}
|
value={searchTerm}
|
||||||
onChange={(e) => setSearchTerm(e.target.value)}
|
onChange={(e) => setSearchTerm(e.target.value)}
|
||||||
// w-full no mobile, depois flex-grow para ocupar o espaço disponível
|
className="w-full sm:flex-grow sm:min-w-[150px] p-2 border rounded-md text-sm"
|
||||||
className="w-full sm:flex-grow sm:max-w-[300px] p-2 border rounded-md text-sm"
|
/>
|
||||||
/>
|
|
||||||
|
|
||||||
{/* Convênio - Ocupa a largura total em telas pequenas, depois se ajusta */}
|
{/* Convênio - Ocupa a largura total em telas pequenas, depois se ajusta */}
|
||||||
<div className="flex items-center gap-2 w-full sm:w-auto sm:flex-grow sm:max-w-[200px]">
|
<div className="flex items-center gap-2 w-full sm:w-auto sm:flex-grow sm:max-w-[200px]">
|
||||||
@ -227,31 +201,24 @@ export default function PacientesPage() {
|
|||||||
</Select>
|
</Select>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
{/* VIP - Ocupa a largura total em telas pequenas, depois se ajusta */}
|
{/* VIP - Ocupa a largura total em telas pequenas, depois se ajusta */}
|
||||||
<div className="flex items-center gap-2 w-full sm:w-auto sm:flex-grow sm:max-w-[150px]">
|
<div className="flex items-center gap-2 w-full sm:w-auto sm:flex-grow sm:max-w-[150px]">
|
||||||
<span className="text-sm font-medium text-foreground whitespace-nowrap hidden md:block">
|
<span className="text-sm font-medium text-foreground whitespace-nowrap hidden md:block">VIP</span>
|
||||||
VIP
|
<Select value={vipFilter} onValueChange={setVipFilter}>
|
||||||
</span>
|
<SelectTrigger className="w-full sm:w-32"> {/* w-full para mobile, w-32 para sm+ */}
|
||||||
<Select value={vipFilter} onValueChange={setVipFilter}>
|
<SelectValue placeholder="VIP" />
|
||||||
<SelectTrigger className="w-full sm:w-32">
|
</SelectTrigger>
|
||||||
{" "}
|
<SelectContent>
|
||||||
{/* w-full para mobile, w-32 para sm+ */}
|
<SelectItem value="all">Todos</SelectItem>
|
||||||
<SelectValue placeholder="VIP" />
|
<SelectItem value="vip">VIP</SelectItem>
|
||||||
</SelectTrigger>
|
<SelectItem value="regular">Regular</SelectItem>
|
||||||
<SelectContent>
|
</SelectContent>
|
||||||
<SelectItem value="all">Todos</SelectItem>
|
</Select>
|
||||||
<SelectItem value="vip">VIP</SelectItem>
|
</div>
|
||||||
<SelectItem value="regular">Regular</SelectItem>
|
|
||||||
</SelectContent>
|
|
||||||
</Select>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
{/* Aniversariantes - Ocupa 100% no mobile, e se alinha à direita no md+ */}
|
|
||||||
<Button variant="outline" className="w-full md:w-auto md:ml-auto">
|
|
||||||
<Calendar className="w-4 h-4 mr-2" />
|
</div>
|
||||||
Aniversariantes
|
|
||||||
</Button>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
{/* --- SEÇÃO DE TABELA (VISÍVEL EM TELAS MAIORES OU IGUAIS A MD) --- */}
|
{/* --- SEÇÃO DE TABELA (VISÍVEL EM TELAS MAIORES OU IGUAIS A MD) --- */}
|
||||||
{/* Garantir que a tabela se esconda em telas menores e apareça em MD+ */}
|
{/* Garantir que a tabela se esconda em telas menores e apareça em MD+ */}
|
||||||
|
|||||||
@ -1,22 +1,43 @@
|
|||||||
"use client"
|
"use client";
|
||||||
import { useState, useEffect, useCallback, useRef } from "react"
|
|
||||||
import type React from "react"
|
|
||||||
|
|
||||||
import { usersService } from "@/services/usersApi.mjs"
|
import { useState, useEffect, useCallback, useRef } from "react";
|
||||||
import { patientsService } from "@/services/patientsApi.mjs"
|
import { usersService } from "@/services/usersApi.mjs";
|
||||||
import { doctorsService } from "@/services/doctorsApi.mjs"
|
import { patientsService } from "@/services/patientsApi.mjs";
|
||||||
import { appointmentsService } from "@/services/appointmentsApi.mjs"
|
import { doctorsService } from "@/services/doctorsApi.mjs";
|
||||||
import { AvailabilityService } from "@/services/availabilityApi.mjs"
|
import { appointmentsService } from "@/services/appointmentsApi.mjs";
|
||||||
import { Card, CardContent, CardHeader, CardTitle } from "@/components/ui/card"
|
import { AvailabilityService } from "@/services/availabilityApi.mjs";
|
||||||
import { Button } from "@/components/ui/button"
|
import { Card, CardContent, CardHeader, CardTitle } from "@/components/ui/card";
|
||||||
import { Label } from "@/components/ui/label"
|
import { Button } from "@/components/ui/button";
|
||||||
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select"
|
import { Label } from "@/components/ui/label";
|
||||||
import { Textarea } from "@/components/ui/textarea"
|
import {
|
||||||
import { Calendar as CalendarShadcn } from "@/components/ui/calendar"
|
Select,
|
||||||
import { format, addDays } from "date-fns"
|
SelectContent,
|
||||||
import { User, StickyNote } from "lucide-react"
|
SelectItem,
|
||||||
import { smsService } from "@/services/Sms.mjs"
|
SelectTrigger,
|
||||||
import { toast } from "@/hooks/use-toast"
|
SelectValue,
|
||||||
|
} from "@/components/ui/select";
|
||||||
|
import { Textarea } from "@/components/ui/textarea";
|
||||||
|
import { Calendar as CalendarShadcn } from "@/components/ui/calendar";
|
||||||
|
import { format, addDays } from "date-fns";
|
||||||
|
import { User, StickyNote, Check, ChevronsUpDown } from "lucide-react";
|
||||||
|
import { smsService } from "@/services/Sms.mjs";
|
||||||
|
import { toast } from "@/hooks/use-toast";
|
||||||
|
import { cn } from "@/lib/utils";
|
||||||
|
|
||||||
|
// Componentes do Combobox (Barra de Pesquisa)
|
||||||
|
import {
|
||||||
|
Command,
|
||||||
|
CommandEmpty,
|
||||||
|
CommandGroup,
|
||||||
|
CommandInput,
|
||||||
|
CommandItem,
|
||||||
|
CommandList,
|
||||||
|
} from "@/components/ui/command";
|
||||||
|
import {
|
||||||
|
Popover,
|
||||||
|
PopoverContent,
|
||||||
|
PopoverTrigger,
|
||||||
|
} from "@/components/ui/popover";
|
||||||
|
|
||||||
export default function ScheduleForm() {
|
export default function ScheduleForm() {
|
||||||
// Estado do usuário e role
|
// Estado do usuário e role
|
||||||
@ -24,16 +45,20 @@ export default function ScheduleForm() {
|
|||||||
const [userId, setUserId] = useState<string | null>(null)
|
const [userId, setUserId] = useState<string | null>(null)
|
||||||
|
|
||||||
// Listas e seleções
|
// Listas e seleções
|
||||||
const [patients, setPatients] = useState<any[]>([])
|
const [patients, setPatients] = useState<any[]>([]);
|
||||||
const [selectedPatient, setSelectedPatient] = useState("")
|
const [selectedPatient, setSelectedPatient] = useState("");
|
||||||
const [doctors, setDoctors] = useState<any[]>([])
|
const [openPatientCombobox, setOpenPatientCombobox] = useState(false);
|
||||||
const [selectedDoctor, setSelectedDoctor] = useState("")
|
|
||||||
const [selectedDate, setSelectedDate] = useState("")
|
const [doctors, setDoctors] = useState<any[]>([]);
|
||||||
const [selectedTime, setSelectedTime] = useState("")
|
const [selectedDoctor, setSelectedDoctor] = useState("");
|
||||||
const [notes, setNotes] = useState("")
|
const [openDoctorCombobox, setOpenDoctorCombobox] = useState(false); // Novo estado para médico
|
||||||
const [availableTimes, setAvailableTimes] = useState<string[]>([])
|
|
||||||
const [loadingDoctors, setLoadingDoctors] = useState(true)
|
const [selectedDate, setSelectedDate] = useState("");
|
||||||
const [loadingSlots, setLoadingSlots] = useState(false)
|
const [selectedTime, setSelectedTime] = useState("");
|
||||||
|
const [notes, setNotes] = useState("");
|
||||||
|
const [availableTimes, setAvailableTimes] = useState<string[]>([]);
|
||||||
|
const [loadingDoctors, setLoadingDoctors] = useState(true);
|
||||||
|
const [loadingSlots, setLoadingSlots] = useState(false);
|
||||||
|
|
||||||
// Outras configs
|
// Outras configs
|
||||||
const [tipoConsulta] = useState("presencial")
|
const [tipoConsulta] = useState("presencial")
|
||||||
@ -100,7 +125,10 @@ export default function ScheduleForm() {
|
|||||||
}
|
}
|
||||||
}, [])
|
}, [])
|
||||||
|
|
||||||
const computeAvailabilityCountsPreview = async (doctorId: string, dispList: any[]) => {
|
const computeAvailabilityCountsPreview = async (
|
||||||
|
doctorId: string,
|
||||||
|
dispList: any[]
|
||||||
|
) => {
|
||||||
try {
|
try {
|
||||||
const today = new Date()
|
const today = new Date()
|
||||||
const start = format(today, "yyyy-MM-dd")
|
const start = format(today, "yyyy-MM-dd")
|
||||||
@ -225,18 +253,18 @@ export default function ScheduleForm() {
|
|||||||
appointment_type: tipoConsulta,
|
appointment_type: tipoConsulta,
|
||||||
}
|
}
|
||||||
|
|
||||||
await appointmentsService.create(body)
|
await appointmentsService.create(body);
|
||||||
|
|
||||||
const dateFormatted = selectedDate.split("-").reverse().join("/")
|
const dateFormatted = selectedDate.split("-").reverse().join("/");
|
||||||
|
|
||||||
toast({
|
toast({
|
||||||
title: "Consulta agendada!",
|
title: "Consulta agendada!",
|
||||||
description: `Consulta marcada para ${dateFormatted} às ${selectedTime} com o(a) médico(a) ${
|
description: `Consulta marcada para ${dateFormatted} às ${selectedTime} com o(a) médico(a) ${
|
||||||
doctors.find((d) => d.id === selectedDoctor)?.full_name || ""
|
doctors.find((d) => d.id === selectedDoctor)?.full_name || ""
|
||||||
}.`,
|
}.`,
|
||||||
})
|
});
|
||||||
|
|
||||||
let phoneNumber = "+5511999999999"
|
let phoneNumber = "+5511999999999";
|
||||||
|
|
||||||
try {
|
try {
|
||||||
if (isSecretaryLike) {
|
if (isSecretaryLike) {
|
||||||
@ -274,24 +302,25 @@ export default function ScheduleForm() {
|
|||||||
})
|
})
|
||||||
|
|
||||||
if (smsRes?.success) {
|
if (smsRes?.success) {
|
||||||
console.log("✅ SMS enviado com sucesso:", smsRes.message_sid)
|
console.log("✅ SMS enviado com sucesso:", smsRes.message_sid);
|
||||||
} else {
|
} else {
|
||||||
console.warn("⚠️ Falha no envio do SMS:", smsRes)
|
console.warn("⚠️ Falha no envio do SMS:", smsRes);
|
||||||
}
|
}
|
||||||
} catch (smsErr) {
|
} catch (smsErr) {
|
||||||
console.error("❌ Erro ao enviar SMS:", smsErr)
|
console.error("❌ Erro ao enviar SMS:", smsErr);
|
||||||
}
|
}
|
||||||
|
|
||||||
setSelectedDoctor("")
|
// 🧹 limpa os campos
|
||||||
setSelectedDate("")
|
setSelectedDoctor("");
|
||||||
setSelectedTime("")
|
setSelectedDate("");
|
||||||
setNotes("")
|
setSelectedTime("");
|
||||||
setSelectedPatient("")
|
setNotes("");
|
||||||
|
setSelectedPatient("");
|
||||||
} catch (err) {
|
} catch (err) {
|
||||||
console.error("❌ Erro ao agendar consulta:", err)
|
console.error("❌ Erro ao agendar consulta:", err);
|
||||||
toast({ title: "Erro", description: "Falha ao agendar consulta." })
|
toast({ title: "Erro", description: "Falha ao agendar consulta." });
|
||||||
}
|
}
|
||||||
}
|
};
|
||||||
|
|
||||||
// 🔹 Tooltip no calendário
|
// 🔹 Tooltip no calendário
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
@ -392,7 +421,11 @@ export default function ScheduleForm() {
|
|||||||
<CalendarShadcn
|
<CalendarShadcn
|
||||||
mode="single"
|
mode="single"
|
||||||
disabled={!selectedDoctor}
|
disabled={!selectedDoctor}
|
||||||
selected={selectedDate ? new Date(selectedDate + "T12:00:00") : undefined}
|
selected={
|
||||||
|
selectedDate
|
||||||
|
? new Date(selectedDate + "T12:00:00")
|
||||||
|
: undefined
|
||||||
|
}
|
||||||
onSelect={(date) => {
|
onSelect={(date) => {
|
||||||
if (!date) return
|
if (!date) return
|
||||||
const formatted = format(new Date(date.getTime() + 12 * 60 * 60 * 1000), "yyyy-MM-dd")
|
const formatted = format(new Date(date.getTime() + 12 * 60 * 60 * 1000), "yyyy-MM-dd")
|
||||||
|
|||||||
@ -41,8 +41,10 @@ export interface ButtonProps
|
|||||||
const Button = React.forwardRef<HTMLButtonElement, ButtonProps>(
|
const Button = React.forwardRef<HTMLButtonElement, ButtonProps>(
|
||||||
({ className, variant, size, asChild = false, ...props }, ref) => {
|
({ className, variant, size, asChild = false, ...props }, ref) => {
|
||||||
const Comp = asChild ? Slot : 'button'
|
const Comp = asChild ? Slot : 'button'
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<Comp
|
<Comp
|
||||||
|
data-slot="button"
|
||||||
className={cn(buttonVariants({ variant, size, className }))}
|
className={cn(buttonVariants({ variant, size, className }))}
|
||||||
ref={ref}
|
ref={ref}
|
||||||
{...props}
|
{...props}
|
||||||
|
|||||||
115
components/ui/filter-bar.tsx
Normal file
115
components/ui/filter-bar.tsx
Normal file
@ -0,0 +1,115 @@
|
|||||||
|
"use client";
|
||||||
|
|
||||||
|
import React from "react";
|
||||||
|
import { Search, Filter, X } from "lucide-react";
|
||||||
|
import { Input } from "@/components/ui/input";
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
import {
|
||||||
|
Select,
|
||||||
|
SelectContent,
|
||||||
|
SelectItem,
|
||||||
|
SelectTrigger,
|
||||||
|
SelectValue,
|
||||||
|
} from "@/components/ui/select";
|
||||||
|
|
||||||
|
export interface FilterOption {
|
||||||
|
label: string;
|
||||||
|
value: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface FilterConfig {
|
||||||
|
key: string; // O nome do estado que vai guardar esse valor (ex: 'specialty')
|
||||||
|
label: string; // O placeholder do select (ex: 'Especialidade')
|
||||||
|
options: FilterOption[] | string[]; // Opções do dropdown
|
||||||
|
}
|
||||||
|
|
||||||
|
interface FilterBarProps {
|
||||||
|
onSearch: (term: string) => void;
|
||||||
|
searchTerm: string;
|
||||||
|
searchPlaceholder?: string;
|
||||||
|
filters?: FilterConfig[];
|
||||||
|
activeFilters: Record<string, string>;
|
||||||
|
onFilterChange: (key: string, value: string) => void;
|
||||||
|
onClearFilters?: () => void;
|
||||||
|
className?: string;
|
||||||
|
children?: React.ReactNode; // Para botões extras (ex: "Novo Médico", paginação)
|
||||||
|
}
|
||||||
|
|
||||||
|
export function FilterBar({
|
||||||
|
onSearch,
|
||||||
|
searchTerm,
|
||||||
|
searchPlaceholder = "Pesquisar...",
|
||||||
|
filters = [],
|
||||||
|
activeFilters,
|
||||||
|
onFilterChange,
|
||||||
|
onClearFilters,
|
||||||
|
children,
|
||||||
|
className,
|
||||||
|
}: FilterBarProps) {
|
||||||
|
|
||||||
|
// Verifica se tem algum filtro ativo para mostrar o botão de limpar
|
||||||
|
const hasActiveFilters =
|
||||||
|
searchTerm !== "" ||
|
||||||
|
Object.values(activeFilters).some(val => val !== "all" && val !== "");
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className={`flex flex-col md:flex-row items-start md:items-center gap-3 bg-white p-4 rounded-lg border border-gray-200 ${className}`}>
|
||||||
|
|
||||||
|
{/* Barra de Pesquisa */}
|
||||||
|
<div className="relative w-full md:flex-1">
|
||||||
|
<Search className="absolute left-3 top-1/2 transform -translate-y-1/2 h-4 w-4 text-gray-400" />
|
||||||
|
<Input
|
||||||
|
placeholder={searchPlaceholder}
|
||||||
|
value={searchTerm}
|
||||||
|
onChange={(e) => onSearch(e.target.value)}
|
||||||
|
className="pl-10 w-full bg-gray-50 border-gray-200 focus:bg-white transition-colors"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Filtros Dinâmicos (Selects) */}
|
||||||
|
<div className="flex flex-wrap items-center gap-3 w-full md:w-auto">
|
||||||
|
{filters.map((filter) => (
|
||||||
|
<div key={filter.key} className="w-full sm:w-auto">
|
||||||
|
<Select
|
||||||
|
value={activeFilters[filter.key] || "all"}
|
||||||
|
onValueChange={(value) => onFilterChange(filter.key, value)}
|
||||||
|
>
|
||||||
|
<SelectTrigger className="w-full sm:w-[180px]">
|
||||||
|
<SelectValue placeholder={filter.label} />
|
||||||
|
</SelectTrigger>
|
||||||
|
<SelectContent>
|
||||||
|
<SelectItem value="all">Todos: {filter.label}</SelectItem>
|
||||||
|
{filter.options.map((opt) => {
|
||||||
|
// Suporta tanto array de strings quanto array de objetos {label, value}
|
||||||
|
const value = typeof opt === 'string' ? opt : opt.value;
|
||||||
|
const label = typeof opt === 'string' ? opt : opt.label;
|
||||||
|
return (
|
||||||
|
<SelectItem key={value} value={value}>
|
||||||
|
{label}
|
||||||
|
</SelectItem>
|
||||||
|
);
|
||||||
|
})}
|
||||||
|
</SelectContent>
|
||||||
|
</Select>
|
||||||
|
</div>
|
||||||
|
))}
|
||||||
|
|
||||||
|
{/* Botão de Limpar Filtros */}
|
||||||
|
{hasActiveFilters && onClearFilters && (
|
||||||
|
<Button
|
||||||
|
variant="ghost"
|
||||||
|
size="icon"
|
||||||
|
onClick={onClearFilters}
|
||||||
|
className="text-gray-500 hover:text-red-600"
|
||||||
|
title="Limpar filtros"
|
||||||
|
>
|
||||||
|
<X className="h-4 w-4" />
|
||||||
|
</Button>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* Botões Extras (ex: Novo Médico, Paginação) passados como children */}
|
||||||
|
{children}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
@ -1,94 +1,145 @@
|
|||||||
'use client'
|
"use client";
|
||||||
|
|
||||||
import {
|
import {
|
||||||
Dialog, DialogContent, DialogHeader, DialogTitle, DialogDescription, DialogFooter, DialogClose
|
Dialog,
|
||||||
|
DialogContent,
|
||||||
|
DialogDescription,
|
||||||
|
DialogFooter,
|
||||||
|
DialogHeader,
|
||||||
|
DialogTitle,
|
||||||
} from "@/components/ui/dialog";
|
} from "@/components/ui/dialog";
|
||||||
|
import { Button } from "@/components/ui/button";
|
||||||
|
|
||||||
|
interface Paciente {
|
||||||
|
id: string;
|
||||||
|
nome: string;
|
||||||
|
telefone: string;
|
||||||
|
cidade: string;
|
||||||
|
estado: string;
|
||||||
|
email?: string;
|
||||||
|
birth_date?: string;
|
||||||
|
cpf?: string;
|
||||||
|
blood_type?: string;
|
||||||
|
weight_kg?: number;
|
||||||
|
height_m?: number;
|
||||||
|
street?: string;
|
||||||
|
number?: string;
|
||||||
|
complement?: string;
|
||||||
|
neighborhood?: string;
|
||||||
|
cep?: string;
|
||||||
|
[key: string]: any; // Para permitir outras propriedades se necessário
|
||||||
|
}
|
||||||
|
|
||||||
interface PatientDetailsModalProps {
|
interface PatientDetailsModalProps {
|
||||||
|
patient: Paciente | null;
|
||||||
isOpen: boolean;
|
isOpen: boolean;
|
||||||
patient: any;
|
|
||||||
onClose: () => void;
|
onClose: () => void;
|
||||||
}
|
}
|
||||||
|
|
||||||
export function PatientDetailsModal({ patient, isOpen, onClose }: PatientDetailsModalProps) {
|
export function PatientDetailsModal({
|
||||||
|
patient,
|
||||||
|
isOpen,
|
||||||
|
onClose,
|
||||||
|
}: PatientDetailsModalProps) {
|
||||||
if (!patient) return null;
|
if (!patient) return null;
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<Dialog open={isOpen} onOpenChange={onClose}>
|
<Dialog open={isOpen} onOpenChange={onClose}>
|
||||||
<DialogContent className="sm:max-w-[600px]">
|
<DialogContent className="max-w-[95%] sm:max-w-lg max-h-[90vh] overflow-y-auto">
|
||||||
<DialogHeader>
|
<DialogHeader>
|
||||||
<DialogTitle>Detalhes do Paciente</DialogTitle>
|
<DialogTitle className="text-xl font-bold">Detalhes do Paciente</DialogTitle>
|
||||||
<DialogDescription>Informações detalhadas sobre o paciente.</DialogDescription>
|
<DialogDescription>
|
||||||
|
Informações detalhadas sobre o paciente.
|
||||||
|
</DialogDescription>
|
||||||
</DialogHeader>
|
</DialogHeader>
|
||||||
<div className="grid gap-4 py-4">
|
|
||||||
<div className="grid grid-cols-2 gap-4">
|
<div className="space-y-4 py-2">
|
||||||
|
{/* Grid Principal */}
|
||||||
|
<div className="grid grid-cols-2 gap-4 text-sm">
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Nome Completo</p>
|
<p className="font-semibold text-gray-900">Nome Completo</p>
|
||||||
<p>{patient.nome}</p>
|
<p className="text-gray-700">{patient.nome}</p>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
{/* CORREÇÃO AQUI: Adicionado 'break-all' para quebrar o email */}
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Email</p>
|
<p className="font-semibold text-gray-900">Email</p>
|
||||||
<p>{patient.email}</p>
|
<p className="text-gray-700 break-all">{patient.email || "N/A"}</p>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Telefone</p>
|
<p className="font-semibold text-gray-900">Telefone</p>
|
||||||
<p>{patient.telefone}</p>
|
<p className="text-gray-700">{patient.telefone}</p>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Data de Nascimento</p>
|
<p className="font-semibold text-gray-900">Data de Nascimento</p>
|
||||||
<p>{patient.birth_date}</p>
|
<p className="text-gray-700">{patient.birth_date || "N/A"}</p>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">CPF</p>
|
<p className="font-semibold text-gray-900">CPF</p>
|
||||||
<p>{patient.cpf}</p>
|
<p className="text-gray-700">{patient.cpf || "N/A"}</p>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Tipo Sanguíneo</p>
|
<p className="font-semibold text-gray-900">Tipo Sanguíneo</p>
|
||||||
<p>{patient.blood_type}</p>
|
<p className="text-gray-700">{patient.blood_type || "N/A"}</p>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Peso (kg)</p>
|
<p className="font-semibold text-gray-900">Peso (kg)</p>
|
||||||
<p>{patient.weight_kg}</p>
|
<p className="text-gray-700">{patient.weight_kg || "0"}</p>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Altura (m)</p>
|
<p className="font-semibold text-gray-900">Altura (m)</p>
|
||||||
<p>{patient.height_m}</p>
|
<p className="text-gray-700">{patient.height_m || "0"}</p>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div className="border-t pt-4 mt-4">
|
|
||||||
<h3 className="font-semibold mb-2">Endereço</h3>
|
<hr className="border-gray-200" />
|
||||||
<div className="grid grid-cols-2 gap-4">
|
|
||||||
|
{/* Seção de Endereço */}
|
||||||
|
<div>
|
||||||
|
<h4 className="font-semibold mb-3 text-gray-900">Endereço</h4>
|
||||||
|
<div className="grid grid-cols-2 gap-4 text-sm">
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Rua</p>
|
<p className="font-semibold text-gray-900">Rua</p>
|
||||||
<p>{`${patient.street}, ${patient.number}`}</p>
|
<p className="text-gray-700">
|
||||||
|
{patient.street && patient.street !== "N/A"
|
||||||
|
? `${patient.street}, ${patient.number || ""}`
|
||||||
|
: "N/A"}
|
||||||
|
</p>
|
||||||
</div>
|
</div>
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Complemento</p>
|
<p className="font-semibold text-gray-900">Complemento</p>
|
||||||
<p>{patient.complement}</p>
|
<p className="text-gray-700">{patient.complement || "N/A"}</p>
|
||||||
</div>
|
</div>
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Bairro</p>
|
<p className="font-semibold text-gray-900">Bairro</p>
|
||||||
<p>{patient.neighborhood}</p>
|
<p className="text-gray-700">{patient.neighborhood || "N/A"}</p>
|
||||||
</div>
|
</div>
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Cidade</p>
|
<p className="font-semibold text-gray-900">Cidade</p>
|
||||||
<p>{patient.cidade}</p>
|
<p className="text-gray-700">{patient.cidade || "N/A"}</p>
|
||||||
</div>
|
</div>
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">Estado</p>
|
<p className="font-semibold text-gray-900">Estado</p>
|
||||||
<p>{patient.estado}</p>
|
<p className="text-gray-700">{patient.estado || "N/A"}</p>
|
||||||
</div>
|
</div>
|
||||||
<div>
|
<div>
|
||||||
<p className="font-semibold">CEP</p>
|
<p className="font-semibold text-gray-900">CEP</p>
|
||||||
<p>{patient.cep}</p>
|
<p className="text-gray-700">{patient.cep || "N/A"}</p>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<DialogFooter>
|
<DialogFooter>
|
||||||
<DialogClose asChild>
|
<Button variant="secondary" onClick={onClose} className="w-full sm:w-auto">
|
||||||
<button type="button" className="px-4 py-2 bg-gray-200 rounded-md">Fechar</button>
|
Fechar
|
||||||
</DialogClose>
|
</Button>
|
||||||
</DialogFooter>
|
</DialogFooter>
|
||||||
</DialogContent>
|
</DialogContent>
|
||||||
</Dialog>
|
</Dialog>
|
||||||
|
|||||||
94
lib/normalization.ts
Normal file
94
lib/normalization.ts
Normal file
@ -0,0 +1,94 @@
|
|||||||
|
// lib/normalization.ts
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Mapa de normalização.
|
||||||
|
* A chave é o termo "sujo" (em minúsculo) e o valor é o termo "Canônico" (Bonito).
|
||||||
|
*/
|
||||||
|
const SPECIALTY_MAPPING: Record<string, string> = {
|
||||||
|
// --- Cardiologia ---
|
||||||
|
"cardiologista": "Cardiologia",
|
||||||
|
"cardio": "Cardiologia",
|
||||||
|
"cardiologia": "Cardiologia",
|
||||||
|
|
||||||
|
// --- Dermatologia ---
|
||||||
|
"dermatologista": "Dermatologia",
|
||||||
|
"dermato": "Dermatologia",
|
||||||
|
"dermatologia": "Dermatologia",
|
||||||
|
|
||||||
|
// --- Ortopedia ---
|
||||||
|
"ortopedista": "Ortopedia",
|
||||||
|
"ortopedia": "Ortopedia",
|
||||||
|
|
||||||
|
// --- Ginecologia ---
|
||||||
|
"ginecologista": "Ginecologia",
|
||||||
|
"ginecologia": "Ginecologia",
|
||||||
|
"ginecologistaa": "Ginecologia", // Erro de digitação comum
|
||||||
|
"gineco": "Ginecologia",
|
||||||
|
|
||||||
|
// --- Pediatria ---
|
||||||
|
"pediatra": "Pediatria",
|
||||||
|
"pediatria": "Pediatria",
|
||||||
|
|
||||||
|
// --- Clínica Geral (Onde estava o erro) ---
|
||||||
|
"clinico geral": "Clínica Geral",
|
||||||
|
"clínico geral": "Clínica Geral",
|
||||||
|
"clinica geral": "Clínica Geral",
|
||||||
|
"clínica geral": "Clínica Geral", // <--- ADICIONADO
|
||||||
|
"geral": "Clínica Geral",
|
||||||
|
"medico geral": "Clínica Geral",
|
||||||
|
"médico geral": "Clínica Geral",
|
||||||
|
|
||||||
|
// --- Neurologia ---
|
||||||
|
"neurologista": "Neurologia",
|
||||||
|
"neurologia": "Neurologia",
|
||||||
|
"neuro": "Neurologia",
|
||||||
|
"neurocirurgiao": "Neurocirurgia",
|
||||||
|
"neurocirurgião": "Neurocirurgia",
|
||||||
|
|
||||||
|
// --- Limpeza de Lixo / Outros ---
|
||||||
|
"asdw": "Outros",
|
||||||
|
"teste": "Outros",
|
||||||
|
"n/a": "Não Informado", // <--- Transforma o "N/A" da imagem
|
||||||
|
"na": "Não Informado",
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Recebe uma especialidade suja e retorna a versão limpa.
|
||||||
|
*/
|
||||||
|
export function normalizeSpecialty(raw: string | null | undefined): string {
|
||||||
|
if (!raw) return "Não Informado";
|
||||||
|
|
||||||
|
// Remove espaços extras e joga para minúsculo
|
||||||
|
const lower = raw.trim().toLowerCase();
|
||||||
|
|
||||||
|
// Se for uma string vazia ou traço
|
||||||
|
if (lower === "" || lower === "-") return "Não Informado";
|
||||||
|
|
||||||
|
// Verifica no mapa
|
||||||
|
if (SPECIALTY_MAPPING[lower]) {
|
||||||
|
return SPECIALTY_MAPPING[lower];
|
||||||
|
}
|
||||||
|
|
||||||
|
// Fallback: Capitaliza a primeira letra de cada palavra
|
||||||
|
// Ex: "cirurgia plastica" -> "Cirurgia Plastica"
|
||||||
|
return lower.replace(/\b\w/g, (l) => l.toUpperCase());
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Extrai uma lista única de especialidades normalizadas.
|
||||||
|
*/
|
||||||
|
export function getUniqueSpecialties(items: any[]): string[] {
|
||||||
|
const specialties = new Set<string>();
|
||||||
|
|
||||||
|
items.forEach(item => {
|
||||||
|
// Normaliza antes de adicionar ao Set
|
||||||
|
const normalized = normalizeSpecialty(item.specialty);
|
||||||
|
|
||||||
|
// Só adiciona se não for "Não Informado" ou "Outros" (Opcional: remova o if se quiser mostrar tudo)
|
||||||
|
if (normalized && normalized !== "Não Informado") {
|
||||||
|
specialties.add(normalized);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
return Array.from(specialties).sort();
|
||||||
|
}
|
||||||
Loading…
x
Reference in New Issue
Block a user