WIP feat(admin-devices): enhance device management from admin with dynamic filters and improved blocking functionality

This commit is contained in:
2025-06-30 15:16:36 +05:00
parent 0157eccd57
commit 01b064aee7
7 changed files with 266 additions and 307 deletions

View File

@ -1,8 +1,8 @@
"use server"; "use server";
import { revalidatePath } from "next/cache";
import type { GroupProfile, MacAddress, OmadaResponse } from "@/lib/types"; import type { GroupProfile, MacAddress, OmadaResponse } from "@/lib/types";
import { formatMacAddress } from "@/lib/utils"; import { formatMacAddress } from "@/lib/utils";
import { revalidatePath } from "next/cache";
async function fetchOmadaGroupProfiles(siteId: string): Promise<OmadaResponse> { async function fetchOmadaGroupProfiles(siteId: string): Promise<OmadaResponse> {
if (!siteId) { if (!siteId) {

View File

@ -51,13 +51,6 @@ export default async function Devices({
label: "Vendor", label: "Vendor",
type: "string", type: "string",
placeholder: "Enter vendor name", placeholder: "Enter vendor name",
}, {
label: "Amount of Devices",
name: "amount",
type: "dual-range-slider",
min: 1,
max: 100,
sliderLabel: "MVR"
} }
]} ]}
/> />

View File

@ -1,9 +1,7 @@
import { AdminDevicesTable } from "@/components/admin/admin-devices-table";
import Search from "@/components/search";
import { Suspense } from "react"; import { Suspense } from "react";
import { AdminDevicesTable } from "@/components/admin/admin-devices-table";
import DynamicFilter from "@/components/generic-filter";
import Search from "@/components/search";
export default async function UserDevices({ export default async function UserDevices({
searchParams, searchParams,
@ -19,17 +17,37 @@ export default async function UserDevices({
return ( return (
<div> <div>
<div className="flex justify-between items-center border rounded-md border-dashed font-bold title-bg py-4 px-2 mb-4"> <div className="flex justify-between items-center border rounded-md border-dashed font-bold title-bg py-4 px-2 mb-4">
<h3 className="text-sarLinkOrange text-2xl"> <h3 className="text-sarLinkOrange text-2xl">User Devices</h3>
User Devices
</h3>
</div> </div>
<div <div
id="user-filters" id="user-filters"
className=" pb-4 gap-4 flex sm:flex-row flex-col items-start justify-start" className=" pb-4 gap-4 flex sm:flex-row flex-col items-start justify-start"
> >
<Search /> <DynamicFilter
description="Filter devices by name, MAC address, or vendor."
title="Device Filter"
inputs={[
{
name: "name",
label: "Device Name",
type: "string",
placeholder: "Enter device name",
},
{
name: "mac",
label: "MAC Address",
type: "string",
placeholder: "Enter MAC address",
},
{
name: "vendor",
label: "Vendor",
type: "string",
placeholder: "Enter vendor name",
},
]}
/>
</div> </div>
<Suspense key={query} fallback={"loading...."}> <Suspense key={query} fallback={"loading...."}>
<AdminDevicesTable parentalControl={true} searchParams={searchParams} /> <AdminDevicesTable parentalControl={true} searchParams={searchParams} />

View File

@ -1,204 +1,181 @@
// import { import { HandCoins } from "lucide-react";
// Table, import Link from "next/link";
// TableBody, import { redirect } from "next/navigation";
// TableCaption, import { getServerSession } from "next-auth";
// TableCell, import { authOptions } from "@/app/auth";
// TableFooter, import {
// TableHead, Table,
// TableHeader, TableBody,
// TableRow, TableCaption,
// } from "@/components/ui/table"; TableCell,
// import { headers } from "next/headers"; TableFooter,
// import Link from "next/link"; TableHead,
// import BlockDeviceDialog from "../block-device-dialog"; TableHeader,
// import DeviceCard from "../device-card"; TableRow,
// import Pagination from "../pagination"; } from "@/components/ui/table";
import { cn } from "@/lib/utils";
import { getDevices } from "@/queries/devices";
import { tryCatch } from "@/utils/tryCatch";
import AddDevicesToCartButton from "../add-devices-to-cart-button";
import BlockDeviceDialog from "../block-device-dialog";
import ClientErrorMessage from "../client-error-message";
import DeviceCard from "../device-card";
import Pagination from "../pagination";
export async function AdminDevicesTable({ export async function AdminDevicesTable({
searchParams, searchParams,
parentalControl, parentalControl,
}: { }: {
searchParams: Promise<{ searchParams: Promise<{
query: string; [key: string]: unknown;
page: number;
sortBy: string;
}>; }>;
parentalControl?: boolean; parentalControl?: boolean;
}) { }) {
console.log(parentalControl); const resolvedParams = await searchParams;
// const session = await auth.api.getSession({ const session = await getServerSession(authOptions);
// headers: await headers(), const isAdmin = session?.user?.is_superuser;
// });
// const isAdmin = session?.user.role === "ADMIN";
const query = (await searchParams)?.query || "";
const page = (await searchParams)?.page;
console.log(query, page);
// const sortBy = (await searchParams)?.sortBy || "asc";
// const totalDevices = await prisma.device.count({
// where: {
// OR: [
// {
// name: {
// contains: query || "",
// mode: "insensitive",
// },
// },
// {
// mac: {
// contains: query || "",
// mode: "insensitive",
// },
// },
// ],
// },
// });
// const totalPages = Math.ceil(totalDevices / 10); const page = Number.parseInt(resolvedParams.page as string) || 1;
// const limit = 10; const limit = 10;
// const offset = (Number(page) - 1) * limit || 0; const offset = (page - 1) * limit;
// const devices = await prisma.device.findMany({ // Build params object for getDevices
// where: { const apiParams: Record<string, string | number | undefined> = {};
// OR: [ for (const [key, value] of Object.entries(resolvedParams)) {
// { if (value !== undefined && value !== "") {
// name: { apiParams[key] = typeof value === "number" ? value : String(value);
// contains: query || "", }
// mode: "insensitive", }
// }, apiParams.limit = limit;
// }, apiParams.offset = offset;
// {
// mac: { const [error, devices] = await tryCatch(
// contains: query || "", getDevices(apiParams, true),
// mode: "insensitive", );
// }, if (error) {
// }, if (error.message === "UNAUTHORIZED") {
// ], redirect("/auth/signin");
// }, } else {
// include: { return <ClientErrorMessage message={error.message} />;
// User: true, }
// payments: true, }
// }, const { meta, data } = devices;
// skip: offset, return (
// take: limit, <div>
// orderBy: { {data?.length === 0 ? (
// name: `${sortBy}` as "asc" | "desc", <div className="h-[calc(100svh-400px)] text-muted-foreground flex flex-col items-center justify-center my-4">
// }, <h3>No devices.</h3>
// }); </div>
return null; ) : (
// return ( <>
// <div> <div className="hidden sm:block">
// {devices.length === 0 ? ( <Table className="overflow-scroll">
// <div className="h-[calc(100svh-400px)] flex flex-col items-center justify-center my-4"> <TableCaption>Table of all devices.</TableCaption>
// <h3>No devices yet.</h3> <TableHeader>
// </div> <TableRow>
// ) : ( <TableHead>Device Name</TableHead>
// <> <TableHead>User</TableHead>
// <div className="hidden sm:block"> <TableHead>MAC Address</TableHead>
// <Table className="overflow-scroll"> <TableHead>Vendor</TableHead>
// <TableCaption>Table of all devices.</TableCaption> <TableHead>#</TableHead>
// <TableHeader> </TableRow>
// <TableRow> </TableHeader>
// <TableHead>Device Name</TableHead> <TableBody className="overflow-scroll">
// <TableHead>User</TableHead> {data?.map((device) => (
// <TableHead>MAC Address</TableHead> <TableRow
// <TableHead>isActive</TableHead> key={device.id}
// <TableHead>blocked</TableHead> >
// <TableHead>blockedBy</TableHead> <TableCell>
// <TableHead>expiryDate</TableHead> <div className="flex flex-col items-start">
// </TableRow> <Link
// </TableHeader> className={cn(
// <TableBody className="overflow-scroll"> "hover:underline font-semibold",
// {devices.map((device) => ( device.is_active ? "text-green-600" : "",
// <TableRow key={device.id}> )}
// <TableCell> href={`/devices/${device.id}`}
// <div className="flex flex-col items-start"> >
// <Link {device.name}
// className="font-medium hover:underline" </Link>
// href={`/devices/${device.id}`} {device.is_active ? (
// > <div className="text-muted-foreground">
// {device.name} Active until{" "}
// </Link> <span className="font-semibold">
// {device.isActive && ( {new Date(device.expiry_date || "").toLocaleDateString(
// <span className="text-muted-foreground"> "en-US",
// Active until{" "} {
// {new Date().toLocaleDateString("en-US", { month: "short",
// month: "short", day: "2-digit",
// day: "2-digit", year: "numeric",
// year: "numeric", },
// })} )}
// </span> </span>
// )} </div>
) : (
// {device.blocked && ( <p className="text-muted-foreground">Device Inactive</p>
// <div className="p-2 rounded border my-2"> )}
// <span>Comment: </span> {device.has_a_pending_payment && (
// <p className="text-neutral-500"> <Link href={`/payments/${device.pending_payment_id}`}>
// blocked because he was watching youtube <span className="bg-muted rounded px-2 p-1 mt-2 flex hover:underline items-center justify-center gap-2 text-muted-foreground">
// </p> Payment Pending{" "}
// </div> <HandCoins className="animate-pulse" size={14} />
// )} </span>
// </div> </Link>
// </TableCell> )}
// <TableCell className="font-medium">
// {device.User?.name} {device.blocked_by === "ADMIN" && device.blocked && (
// </TableCell> <div className="p-2 rounded border my-2 bg-white dark:bg-neutral-800 shadow">
<span className="font-semibold">Comment</span>
// <TableCell className="font-medium">{device.mac}</TableCell> <p className="text-neutral-400">{device?.reason_for_blocking}</p>
// <TableCell> </div>
// {device.isActive ? "Active" : "Inactive"} )}
// </TableCell> </div>
// <TableCell> </TableCell>
// {device.blocked ? "Blocked" : "Not Blocked"} <TableCell className="font-medium">{device.user}</TableCell>
// </TableCell> <TableCell className="font-medium">{device.mac}</TableCell>
// <TableCell> <TableCell className="font-medium">{device?.vendor}</TableCell>
// {device.blocked ? device.blockedBy : ""} <TableCell>
// </TableCell> <BlockDeviceDialog
// <TableCell> admin={isAdmin}
// {new Date().toLocaleDateString("en-US", { type={device.blocked ? "unblock" : "block"}
// month: "short", device={device}
// day: "2-digit", />
// year: "numeric", </TableCell>
// })} </TableRow>
// </TableCell> ))}
// <TableCell> </TableBody>
// <BlockDeviceDialog <TableFooter>
// admin={isAdmin} <TableRow>
// type={device.blocked ? "unblock" : "block"} <TableCell colSpan={5} className="text-muted-foreground">
// device={device} {meta?.total === 1 ? (
// /> <p className="text-center">
// </TableCell> Total {meta?.total} device.
// </TableRow> </p>
// ))} ) : (
// </TableBody> <p className="text-center">
// <TableFooter> Total {meta?.total} devices.
// <TableRow> </p>
// <TableCell colSpan={7}> )}
// {query.length > 0 && ( </TableCell>
// <p className="text-sm text-muted-foreground"> </TableRow>
// Showing {devices.length} locations for &quot;{query} </TableFooter>
// &quot; </Table>
// </p> </div>
// )} <div className="sm:hidden my-4">
// </TableCell> {data?.map((device) => (
// <TableCell className="text-muted-foreground"> <DeviceCard
// {totalDevices} devices parentalControl={parentalControl}
// </TableCell> key={device.id}
// </TableRow> device={device}
// </TableFooter> />
// </Table> ))}
// <Pagination totalPages={totalPages} currentPage={page} /> </div>
// </div> <Pagination
// <div className="sm:hidden my-4"> totalPages={meta?.last_page}
// {devices.map((device) => ( currentPage={meta?.current_page}
// <DeviceCard />
// parentalControl={parentalControl} </>
// key={device.id} )
// device={device} }
// /> </div >
// ))} );
// </div>
// </>
// )}
// </div>
// );
} }

View File

@ -1,5 +1,12 @@
"use client"; "use client";
import { zodResolver } from "@hookform/resolvers/zod";
import { OctagonX } from "lucide-react";
import { useState } from "react";
import { type SubmitHandler, useForm } from "react-hook-form";
import { toast } from "sonner";
import { z } from "zod";
import { blockDevice as BlockDeviceFromOmada } from "@/actions/omada-actions"; import { blockDevice as BlockDeviceFromOmada } from "@/actions/omada-actions";
import { Button } from "@/components/ui/button"; import { Button } from "@/components/ui/button";
import { import {
@ -14,13 +21,6 @@ import { Label } from "@/components/ui/label";
import type { Device } from "@/lib/backend-types"; import type { Device } from "@/lib/backend-types";
import { cn } from "@/lib/utils"; import { cn } from "@/lib/utils";
import { blockDevice } from "@/queries/devices"; import { blockDevice } from "@/queries/devices";
import { zodResolver } from "@hookform/resolvers/zod";
import { OctagonX } from "lucide-react";
import { useState } from "react";
import { type SubmitHandler, useForm } from "react-hook-form";
import { toast } from "sonner";
import { z } from "zod";
import { TextShimmer } from "./ui/text-shimmer"; import { TextShimmer } from "./ui/text-shimmer";
import { Textarea } from "./ui/textarea"; import { Textarea } from "./ui/textarea";
@ -44,7 +44,7 @@ export default function BlockDeviceDialog({
const onSubmit: SubmitHandler<z.infer<typeof validationSchema>> = (data) => { const onSubmit: SubmitHandler<z.infer<typeof validationSchema>> = (data) => {
setDisabled(true); setDisabled(true);
console.log(data); console.log("data in block device dialog", data);
toast.promise( toast.promise(
blockDevice({ blockDevice({
deviceId: String(device.id), deviceId: String(device.id),
@ -59,8 +59,9 @@ export default function BlockDeviceDialog({
return "Blocked!"; return "Blocked!";
}, },
error: (error) => { error: (error) => {
console.error("Error blocking device:", error);
setDisabled(false); setDisabled(false);
return error || "Something went wrong"; return error.message || "Something went wrong";
}, },
}, },
); );
@ -74,10 +75,10 @@ export default function BlockDeviceDialog({
onClick={() => { onClick={() => {
setDisabled(true); setDisabled(true);
toast.promise( toast.promise(
BlockDeviceFromOmada({ blockDevice({
macAddress: device.mac, blocked_by: "ADMIN",
type: "unblock", deviceId: String(device.id),
reason: "", reason_for_blocking: "",
}), }),
{ {
loading: "unblockinig...", loading: "unblockinig...",
@ -85,9 +86,9 @@ export default function BlockDeviceDialog({
setDisabled(false); setDisabled(false);
return "Unblocked!"; return "Unblocked!";
}, },
error: () => { error: (error) => {
setDisabled(false); setDisabled(false);
return "Something went wrong"; return error.message || "Something went wrong";
}, },
}, },
); );
@ -96,37 +97,7 @@ export default function BlockDeviceDialog({
{disabled ? <TextShimmer>Unblocking</TextShimmer> : "Unblock"} {disabled ? <TextShimmer>Unblocking</TextShimmer> : "Unblock"}
</Button> </Button>
) : ( ) : (
<> <div>
{!admin ? (
<Button
variant={"destructive"}
onClick={() => {
setDisabled(true);
toast.promise(
BlockDeviceFromOmada({
macAddress: device.mac,
type: "block",
reason: "",
blockedBy: "PARENT",
}),
{
loading: "blocking...",
success: () => {
setDisabled(false);
return "blocked!";
},
error: () => {
setDisabled(false);
return "Something went wrong";
},
},
);
}}
>
<OctagonX />
{disabled ? <TextShimmer>Blocking</TextShimmer> : "Block"}
</Button>
) : (
<Dialog open={open} onOpenChange={setOpen}> <Dialog open={open} onOpenChange={setOpen}>
<DialogTrigger asChild> <DialogTrigger asChild>
<Button disabled={disabled} variant="destructive"> <Button disabled={disabled} variant="destructive">
@ -136,14 +107,14 @@ export default function BlockDeviceDialog({
</DialogTrigger> </DialogTrigger>
<DialogContent className="sm:max-w-[425px]"> <DialogContent className="sm:max-w-[425px]">
<DialogHeader> <DialogHeader>
<DialogTitle> <DialogTitle className="text-muted-foreground">
Please provide a reason for blocking this device. Reason for blocking this device 🚫
</DialogTitle> </DialogTitle>
</DialogHeader> </DialogHeader>
<form onSubmit={handleSubmit(onSubmit)}> <form onSubmit={handleSubmit(onSubmit)}>
<div className="grid gap-4 py-4"> <div className="grid gap-2 py-2">
<div className="flex flex-col items-start gap-1"> <div className="flex flex-col items-start gap-4">
<Label htmlFor="reason" className="text-right"> <Label htmlFor="reason" className="text-right text-muted-foreground">
Reason for blocking Reason for blocking
</Label> </Label>
<Textarea <Textarea
@ -172,8 +143,7 @@ export default function BlockDeviceDialog({
</form> </form>
</DialogContent> </DialogContent>
</Dialog> </Dialog>
)} </div>
</>
)} )}
</div> </div>
); );

View File

@ -1,11 +1,11 @@
"use client"; "use client";
import { useAtom } from "jotai";
import { HandCoins } from "lucide-react";
import Link from "next/link";
import { TableCell, TableRow } from "@/components/ui/table"; import { TableCell, TableRow } from "@/components/ui/table";
import { deviceCartAtom } from "@/lib/atoms"; import { deviceCartAtom } from "@/lib/atoms";
import type { Device } from "@/lib/backend-types"; import type { Device } from "@/lib/backend-types";
import { cn } from "@/lib/utils"; import { cn } from "@/lib/utils";
import { useAtom } from "jotai";
import { HandCoins } from "lucide-react";
import Link from "next/link";
import AddDevicesToCartButton from "./add-devices-to-cart-button"; import AddDevicesToCartButton from "./add-devices-to-cart-button";
import BlockDeviceDialog from "./block-device-dialog"; import BlockDeviceDialog from "./block-device-dialog";
export default function ClickableRow({ export default function ClickableRow({

View File

@ -1,12 +1,12 @@
"use server"; "use server";
import { revalidatePath } from "next/cache";
import { getServerSession } from "next-auth";
import { authOptions } from "@/app/auth"; import { authOptions } from "@/app/auth";
import type { AddDeviceFormState, initialState } from "@/components/user/add-device-dialog"; import type { AddDeviceFormState, initialState } from "@/components/user/add-device-dialog";
import type { ApiError, ApiResponse, Device } from "@/lib/backend-types"; import type { ApiError, ApiResponse, Device } from "@/lib/backend-types";
import { checkSession } from "@/utils/session"; import { checkSession } from "@/utils/session";
import { handleApiResponse } from "@/utils/tryCatch"; import { handleApiResponse } from "@/utils/tryCatch";
import { getServerSession } from "next-auth";
import { revalidatePath } from "next/cache";
type GetDevicesProps = { type GetDevicesProps = {
name?: string; name?: string;
@ -17,7 +17,7 @@ type GetDevicesProps = {
status?: string; status?: string;
[key: string]: string | number | undefined; // Allow additional properties for flexibility [key: string]: string | number | undefined; // Allow additional properties for flexibility
}; };
export async function getDevices(params: GetDevicesProps) { export async function getDevices(params: GetDevicesProps, allDevices = false) {
const session = await checkSession(); const session = await checkSession();
// Build query string from all defined params // Build query string from all defined params
@ -27,7 +27,7 @@ export async function getDevices(params: GetDevicesProps) {
.join("&"); .join("&");
const response = await fetch( const response = await fetch(
`${process.env.SARLINK_API_BASE_URL}/api/devices/?${query}`, `${process.env.SARLINK_API_BASE_URL}/api/devices/?${query}&all_devices=${allDevices}`,
{ {
method: "GET", method: "GET",
headers: { headers: {
@ -123,6 +123,7 @@ export async function blockDevice({
reason_for_blocking: string; reason_for_blocking: string;
blocked_by: "ADMIN" | "PARENT"; blocked_by: "ADMIN" | "PARENT";
}) { }) {
console.log("Blocking device:", deviceId, reason_for_blocking, blocked_by);
const session = await getServerSession(authOptions); const session = await getServerSession(authOptions);
const response = await fetch( const response = await fetch(
`${process.env.SARLINK_API_BASE_URL}/api/devices/${deviceId}/block/`, `${process.env.SARLINK_API_BASE_URL}/api/devices/${deviceId}/block/`,