Files
DetnalCare/components/admin/dentists-table.tsx
Iliyan Angelov 39077550ef Dental Care
2025-11-16 14:29:51 +02:00

808 lines
26 KiB
TypeScript

"use client";
import * as React from "react";
import {
IconChevronDown,
IconChevronLeft,
IconChevronRight,
IconChevronsLeft,
IconChevronsRight,
IconDotsVertical,
IconLayoutColumns,
IconSearch,
} from "@tabler/icons-react";
import { User, Mail, Phone, Calendar, Award, Briefcase } from "lucide-react";
import { toast } from "sonner";
import {
updateDentistAvailability,
deleteDentist,
} from "@/lib/actions/admin-actions";
import {
ColumnDef,
ColumnFiltersState,
flexRender,
getCoreRowModel,
getFacetedRowModel,
getFacetedUniqueValues,
getFilteredRowModel,
getPaginationRowModel,
getSortedRowModel,
SortingState,
useReactTable,
VisibilityState,
} from "@tanstack/react-table";
import { Badge } from "@/components/ui/badge";
import { Button } from "@/components/ui/button";
import { Checkbox } from "@/components/ui/checkbox";
import {
DropdownMenu,
DropdownMenuCheckboxItem,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuSeparator,
DropdownMenuTrigger,
} from "@/components/ui/dropdown-menu";
import { Input } from "@/components/ui/input";
import { Label } from "@/components/ui/label";
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from "@/components/ui/select";
import {
Table,
TableBody,
TableCell,
TableHead,
TableHeader,
TableRow,
} from "@/components/ui/table";
import {
Dialog,
DialogContent,
DialogDescription,
DialogHeader,
DialogTitle,
} from "@/components/ui/dialog";
type Dentist = {
id: string;
name: string;
email: string;
phone: string | null;
specialization: string | null;
qualifications: string | null;
experience: string | null;
isAvailable: boolean;
createdAt: Date;
appointmentsAsDentist: Array<{
id: string;
status: string;
}>;
};
const columns: ColumnDef<Dentist>[] = [
{
id: "select",
header: ({ table }) => (
<div className="flex items-center justify-center">
<Checkbox
checked={
table.getIsAllPageRowsSelected() ||
(table.getIsSomePageRowsSelected() && "indeterminate")
}
onCheckedChange={(value) => table.toggleAllPageRowsSelected(!!value)}
aria-label="Select all"
/>
</div>
),
cell: ({ row }) => (
<div className="flex items-center justify-center">
<Checkbox
checked={row.getIsSelected()}
onCheckedChange={(value) => row.toggleSelected(!!value)}
aria-label="Select row"
/>
</div>
),
enableSorting: false,
enableHiding: false,
},
{
accessorKey: "name",
header: "Name",
cell: ({ row }) => (
<div>
<p className="font-medium">Dr. {row.original.name}</p>
<p className="text-xs text-muted-foreground">{row.original.email}</p>
</div>
),
enableHiding: false,
},
{
accessorKey: "specialization",
header: "Specialization",
cell: ({ row }) => row.original.specialization || "-",
},
{
accessorKey: "experience",
header: "Experience",
cell: ({ row }) => row.original.experience || "-",
},
{
accessorKey: "appointments",
header: "Appointments",
cell: ({ row }) => {
const appointmentCount = row.original.appointmentsAsDentist.length;
const completedCount = row.original.appointmentsAsDentist.filter(
(apt) => apt.status === "completed"
).length;
return (
<div className="text-sm">
<p>{appointmentCount} total</p>
<p className="text-xs text-muted-foreground">
{completedCount} completed
</p>
</div>
);
},
},
{
accessorKey: "isAvailable",
header: "Status",
cell: ({ row }) => (
<Badge
variant={row.original.isAvailable ? "default" : "secondary"}
className="text-xs"
>
{row.original.isAvailable ? "Available" : "Unavailable"}
</Badge>
),
},
{
accessorKey: "createdAt",
header: "Joined",
cell: ({ row }) => new Date(row.original.createdAt).toLocaleDateString(),
},
{
id: "actions",
cell: () => (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button
variant="ghost"
className="data-[state=open]:bg-muted text-muted-foreground flex size-8"
size="icon"
>
<IconDotsVertical />
<span className="sr-only">Open menu</span>
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end" className="w-40">
<DropdownMenuItem>View Details</DropdownMenuItem>
<DropdownMenuItem>Edit Profile</DropdownMenuItem>
<DropdownMenuItem>View Schedule</DropdownMenuItem>
<DropdownMenuSeparator />
<DropdownMenuItem variant="destructive">Deactivate</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
),
},
];
type AdminDentistsTableProps = {
dentists: Dentist[];
};
export function AdminDentistsTable({ dentists }: AdminDentistsTableProps) {
const [rowSelection, setRowSelection] = React.useState({});
const [columnVisibility, setColumnVisibility] =
React.useState<VisibilityState>({});
const [columnFilters, setColumnFilters] = React.useState<ColumnFiltersState>(
[]
);
const [sorting, setSorting] = React.useState<SortingState>([]);
const [pagination, setPagination] = React.useState({
pageIndex: 0,
pageSize: 10,
});
const [isLoading, setIsLoading] = React.useState(false);
const [selectedDentist, setSelectedDentist] = React.useState<Dentist | null>(
null
);
const handleBulkAvailability = async (isAvailable: boolean) => {
const selectedRows = table.getFilteredSelectedRowModel().rows;
const ids = selectedRows.map((row) => row.original.id);
if (ids.length === 0) {
toast.error("No dentists selected");
return;
}
setIsLoading(true);
try {
const result = await updateDentistAvailability(ids, isAvailable);
if (result.success) {
toast.success(result.message);
setRowSelection({});
window.location.reload();
} else {
toast.error(result.message);
}
} catch (error) {
toast.error(`Failed to update availability`);
console.error(error);
} finally {
setIsLoading(false);
}
};
const handleSingleAction = async (
action: () => Promise<{ success: boolean; message: string }>,
actionName: string
) => {
setIsLoading(true);
try {
const result = await action();
if (result.success) {
toast.success(result.message);
window.location.reload();
} else {
toast.error(result.message);
}
} catch (error) {
toast.error(`Failed to ${actionName}`);
console.error(error);
} finally {
setIsLoading(false);
}
};
const actionsColumn: ColumnDef<Dentist> = {
id: "actions",
cell: ({ row }) => (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button
variant="ghost"
className="data-[state=open]:bg-muted text-muted-foreground flex size-8"
size="icon"
disabled={isLoading}
>
<IconDotsVertical />
<span className="sr-only">Open menu</span>
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end" className="w-40">
<DropdownMenuItem onClick={() => setSelectedDentist(row.original)}>
View Details
</DropdownMenuItem>
<DropdownMenuItem
onClick={() => toast.info("Edit feature coming soon")}
>
Edit Profile
</DropdownMenuItem>
<DropdownMenuItem
onClick={() => toast.info("Schedule feature coming soon")}
>
View Schedule
</DropdownMenuItem>
<DropdownMenuSeparator />
<DropdownMenuItem
onClick={() =>
handleSingleAction(
() =>
updateDentistAvailability(
[row.original.id],
!row.original.isAvailable
),
row.original.isAvailable ? "set unavailable" : "set available"
)
}
>
{row.original.isAvailable ? "Set Unavailable" : "Set Available"}
</DropdownMenuItem>
<DropdownMenuItem
variant="destructive"
onClick={() => {
if (confirm("Are you sure you want to delete this dentist?")) {
handleSingleAction(
() => deleteDentist(row.original.id),
"delete dentist"
);
}
}}
>
Delete
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
),
};
const columnsWithActions = [...columns.slice(0, -1), actionsColumn];
const table = useReactTable({
data: dentists,
columns: columnsWithActions,
state: {
sorting,
columnVisibility,
rowSelection,
columnFilters,
pagination,
},
enableRowSelection: true,
onRowSelectionChange: setRowSelection,
onSortingChange: setSorting,
onColumnFiltersChange: setColumnFilters,
onColumnVisibilityChange: setColumnVisibility,
onPaginationChange: setPagination,
getCoreRowModel: getCoreRowModel(),
getFilteredRowModel: getFilteredRowModel(),
getPaginationRowModel: getPaginationRowModel(),
getSortedRowModel: getSortedRowModel(),
getFacetedRowModel: getFacetedRowModel(),
getFacetedUniqueValues: getFacetedUniqueValues(),
});
return (
<div className="flex flex-col gap-4">
<div className="flex items-center justify-between">
<div className="relative w-full max-w-sm">
<IconSearch className="absolute left-2 top-2.5 size-4 text-muted-foreground" />
<Input
placeholder="Search dentists..."
value={(table.getColumn("name")?.getFilterValue() as string) ?? ""}
onChange={(event) =>
table.getColumn("name")?.setFilterValue(event.target.value)
}
className="pl-8"
/>
</div>
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="outline" size="sm">
<IconLayoutColumns />
<span className="hidden lg:inline">Columns</span>
<IconChevronDown />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end" className="w-56">
{table
.getAllColumns()
.filter(
(column) =>
typeof column.accessorFn !== "undefined" &&
column.getCanHide()
)
.map((column) => {
return (
<DropdownMenuCheckboxItem
key={column.id}
className="capitalize"
checked={column.getIsVisible()}
onCheckedChange={(value) =>
column.toggleVisibility(!!value)
}
>
{column.id}
</DropdownMenuCheckboxItem>
);
})}
</DropdownMenuContent>
</DropdownMenu>
</div>
{/* Bulk Actions Toolbar */}
{table.getFilteredSelectedRowModel().rows.length > 0 && (
<div className="flex items-center gap-2 rounded-lg border bg-muted/50 p-2">
<span className="text-sm font-medium">
{table.getFilteredSelectedRowModel().rows.length} selected
</span>
<div className="ml-auto flex items-center gap-2">
<Button
variant="outline"
size="sm"
disabled={isLoading}
onClick={() => handleBulkAvailability(true)}
>
Set Available
</Button>
<Button
variant="outline"
size="sm"
disabled={isLoading}
onClick={() => handleBulkAvailability(false)}
>
Set Unavailable
</Button>
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="outline" size="sm" disabled={isLoading}>
More Actions
<IconChevronDown />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuItem
onClick={() =>
toast.info("Send notification feature coming soon")
}
>
Send Notification
</DropdownMenuItem>
<DropdownMenuItem
onClick={() => toast.info("Export feature coming soon")}
>
Export Selected
</DropdownMenuItem>
<DropdownMenuItem
onClick={() => toast.info("Schedule feature coming soon")}
>
View Schedules
</DropdownMenuItem>
<DropdownMenuSeparator />
<DropdownMenuItem
variant="destructive"
onClick={() => {
if (
confirm(
"Are you sure you want to deactivate these dentists?"
)
) {
handleBulkAvailability(false);
}
}}
>
Deactivate Selected
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
</div>
</div>
)}
<div className="overflow-hidden rounded-lg border">
<Table>
<TableHeader className="bg-muted">
{table.getHeaderGroups().map((headerGroup) => (
<TableRow key={headerGroup.id}>
{headerGroup.headers.map((header) => {
return (
<TableHead key={header.id} colSpan={header.colSpan}>
{header.isPlaceholder
? null
: flexRender(
header.column.columnDef.header,
header.getContext()
)}
</TableHead>
);
})}
</TableRow>
))}
</TableHeader>
<TableBody>
{table.getRowModel().rows?.length ? (
table.getRowModel().rows.map((row) => (
<TableRow
key={row.id}
data-state={row.getIsSelected() && "selected"}
>
{row.getVisibleCells().map((cell) => (
<TableCell key={cell.id}>
{flexRender(
cell.column.columnDef.cell,
cell.getContext()
)}
</TableCell>
))}
</TableRow>
))
) : (
<TableRow>
<TableCell
colSpan={columns.length}
className="h-24 text-center"
>
No dentists found.
</TableCell>
</TableRow>
)}
</TableBody>
</Table>
</div>
<div className="flex items-center justify-between">
<div className="text-muted-foreground hidden flex-1 text-sm lg:flex">
{table.getFilteredSelectedRowModel().rows.length} of{" "}
{table.getFilteredRowModel().rows.length} row(s) selected.
</div>
<div className="flex w-full items-center gap-8 lg:w-fit">
<div className="hidden items-center gap-2 lg:flex">
<Label htmlFor="rows-per-page" className="text-sm font-medium">
Rows per page
</Label>
<Select
value={`${table.getState().pagination.pageSize}`}
onValueChange={(value) => {
table.setPageSize(Number(value));
}}
>
<SelectTrigger size="sm" className="w-20" id="rows-per-page">
<SelectValue
placeholder={table.getState().pagination.pageSize}
/>
</SelectTrigger>
<SelectContent side="top">
{[10, 20, 30, 40, 50].map((pageSize) => (
<SelectItem key={pageSize} value={`${pageSize}`}>
{pageSize}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
<div className="flex w-fit items-center justify-center text-sm font-medium">
Page {table.getState().pagination.pageIndex + 1} of{" "}
{table.getPageCount()}
</div>
<div className="ml-auto flex items-center gap-2 lg:ml-0">
<Button
variant="outline"
className="hidden h-8 w-8 p-0 lg:flex"
onClick={() => table.setPageIndex(0)}
disabled={!table.getCanPreviousPage()}
>
<span className="sr-only">Go to first page</span>
<IconChevronsLeft />
</Button>
<Button
variant="outline"
className="size-8"
size="icon"
onClick={() => table.previousPage()}
disabled={!table.getCanPreviousPage()}
>
<span className="sr-only">Go to previous page</span>
<IconChevronLeft />
</Button>
<Button
variant="outline"
className="size-8"
size="icon"
onClick={() => table.nextPage()}
disabled={!table.getCanNextPage()}
>
<span className="sr-only">Go to next page</span>
<IconChevronRight />
</Button>
<Button
variant="outline"
className="hidden size-8 lg:flex"
size="icon"
onClick={() => table.setPageIndex(table.getPageCount() - 1)}
disabled={!table.getCanNextPage()}
>
<span className="sr-only">Go to last page</span>
<IconChevronsRight />
</Button>
</div>
</div>
</div>
{/* Dentist Details Dialog */}
<Dialog
open={!!selectedDentist}
onOpenChange={() => setSelectedDentist(null)}
>
<DialogContent className="max-w-3xl max-h-[90vh] overflow-y-auto">
<DialogHeader>
<div className="flex items-start justify-between">
<div>
<DialogTitle className="text-2xl">Dentist Details</DialogTitle>
<DialogDescription>ID: {selectedDentist?.id}</DialogDescription>
</div>
{selectedDentist && (
<Badge
variant={
selectedDentist.isAvailable ? "default" : "secondary"
}
className="text-xs"
>
{selectedDentist.isAvailable ? "Available" : "Unavailable"}
</Badge>
)}
</div>
</DialogHeader>
{selectedDentist && (
<div className="space-y-6">
{/* Personal Information */}
<div className="space-y-3">
<h3 className="font-semibold text-lg border-b pb-2">
Personal Information
</h3>
<div className="grid grid-cols-2 gap-4">
<div className="flex items-start gap-2">
<User className="h-5 w-5 text-muted-foreground mt-0.5" />
<div>
<p className="text-sm text-muted-foreground">Full Name</p>
<p className="font-medium">Dr. {selectedDentist.name}</p>
</div>
</div>
<div className="flex items-start gap-2">
<Mail className="h-5 w-5 text-muted-foreground mt-0.5" />
<div>
<p className="text-sm text-muted-foreground">Email</p>
<p className="font-medium text-sm">
{selectedDentist.email}
</p>
</div>
</div>
{selectedDentist.phone && (
<div className="flex items-start gap-2">
<Phone className="h-5 w-5 text-muted-foreground mt-0.5" />
<div>
<p className="text-sm text-muted-foreground">Phone</p>
<p className="font-medium">{selectedDentist.phone}</p>
</div>
</div>
)}
<div className="flex items-start gap-2">
<Calendar className="h-5 w-5 text-muted-foreground mt-0.5" />
<div>
<p className="text-sm text-muted-foreground">Joined</p>
<p className="font-medium">
{new Date(selectedDentist.createdAt).toLocaleDateString(
"en-US",
{
year: "numeric",
month: "long",
day: "numeric",
}
)}
</p>
</div>
</div>
</div>
</div>
{/* Professional Information */}
<div className="space-y-3">
<h3 className="font-semibold text-lg border-b pb-2">
Professional Information
</h3>
<div className="grid grid-cols-2 gap-4">
{selectedDentist.specialization && (
<div className="flex items-start gap-2">
<Award className="h-5 w-5 text-muted-foreground mt-0.5" />
<div>
<p className="text-sm text-muted-foreground">
Specialization
</p>
<p className="font-medium">
{selectedDentist.specialization}
</p>
</div>
</div>
)}
{selectedDentist.experience && (
<div className="flex items-start gap-2">
<Briefcase className="h-5 w-5 text-muted-foreground mt-0.5" />
<div>
<p className="text-sm text-muted-foreground">
Experience
</p>
<p className="font-medium">
{selectedDentist.experience}
</p>
</div>
</div>
)}
</div>
{selectedDentist.qualifications && (
<div className="mt-3">
<p className="text-sm text-muted-foreground mb-1">
Qualifications
</p>
<p className="text-sm bg-muted p-3 rounded-lg">
{selectedDentist.qualifications}
</p>
</div>
)}
</div>
{/* Appointment Statistics */}
<div className="space-y-3">
<h3 className="font-semibold text-lg border-b pb-2">
Appointment Statistics
</h3>
<div className="grid grid-cols-3 gap-4">
<div className="bg-muted p-4 rounded-lg">
<p className="text-2xl font-bold">
{selectedDentist.appointmentsAsDentist.length}
</p>
<p className="text-sm text-muted-foreground">
Total Appointments
</p>
</div>
<div className="bg-muted p-4 rounded-lg">
<p className="text-2xl font-bold">
{
selectedDentist.appointmentsAsDentist.filter(
(apt) => apt.status === "completed"
).length
}
</p>
<p className="text-sm text-muted-foreground">Completed</p>
</div>
<div className="bg-muted p-4 rounded-lg">
<p className="text-2xl font-bold">
{
selectedDentist.appointmentsAsDentist.filter(
(apt) =>
apt.status === "pending" ||
apt.status === "confirmed"
).length
}
</p>
<p className="text-sm text-muted-foreground">Upcoming</p>
</div>
</div>
</div>
{/* Action Buttons */}
<div className="flex gap-2 pt-4 border-t">
<Button
variant="outline"
className="flex-1"
onClick={() => {
setSelectedDentist(null);
toast.info("Edit feature coming soon");
}}
>
Edit Profile
</Button>
<Button
variant="outline"
className="flex-1"
onClick={() => {
setSelectedDentist(null);
toast.info("Schedule feature coming soon");
}}
>
View Schedule
</Button>
<Button
variant={selectedDentist.isAvailable ? "outline" : "default"}
className="flex-1"
onClick={() => {
const id = selectedDentist.id;
const newStatus = !selectedDentist.isAvailable;
setSelectedDentist(null);
handleSingleAction(
() => updateDentistAvailability([id], newStatus),
newStatus ? "set available" : "set unavailable"
);
}}
disabled={isLoading}
>
{selectedDentist.isAvailable
? "Set Unavailable"
: "Set Available"}
</Button>
</div>
</div>
)}
</DialogContent>
</Dialog>
</div>
);
}