17 Commits

Author SHA1 Message Date
8d44444c4d - Refactored Dashboard layout
- enhanced PlatesProcessed component display
2026-01-09 08:50:03 +00:00
97818ca8d9 - Add SystemOverview component and related hooks;
- update Dashboard layout and introduce new UI components
2026-01-07 16:18:14 +00:00
a33fd976eb - Added TimeStampBadge component and integrate camera and plate patch setup features
- Implemented TimeStampBadge component to display time ago from a timestamp.
- Created CameraControls component with Formik for form handling.
- Developed CameraSetup component with tab navigation for camera settings.
- Added PlateItem component to display individual sighting details.
- Enhanced PlatePatchSetup component to list sightings with timestamp and plate information.
2026-01-05 11:00:35 +00:00
1403a85ce2 Merge pull request '- implement setup page with video feed and preview functionality' (#4) from feature/setupPage into develop
Reviewed-on: #4
2025-12-23 14:44:36 +00:00
6a99a15342 Merge branch 'develop' into feature/setupPage 2025-12-23 14:42:47 +00:00
8dac436831 Merge pull request 'feature/modals' (#3) from feature/modals into develop
Reviewed-on: #3
2025-12-23 14:40:00 +00:00
73c67ad992 - implement setup page with video feed and preview functionality 2025-12-23 14:36:16 +00:00
9394793669 feat: update modal and sighting components for improved layout and timestamp display 2025-12-23 12:41:25 +00:00
3b7487da09 feat: add modal component for sighting details with content display
- Implemented ModalComponent for reusable modal functionality.
- Created SightingItemModal to manage modal state and display sighting details.
- Developed SightingModalContent to render sighting information including video feed and metadata.
2025-12-23 10:37:02 +00:00
a299960dfb Merge pull request 'feature/sightingStackList' (#2) from feature/sightingStackList into develop
Reviewed-on: #2
2025-12-23 09:00:58 +00:00
4a7fb58411 - changed font colour 2025-12-23 08:59:55 +00:00
ef5f07de0a Refactor SightingItem to display time since sighting; add timeAgo utility function 2025-12-23 08:58:08 +00:00
70083d9c60 Add CameraSettings context and provider; integrate into AppProviders and VideoFeed 2025-12-22 16:10:34 +00:00
6879e30b9c Add PlateRead component and integrate it into the Dashboard; refactor VideoFeed and SightingStack for improved layout 2025-12-22 14:09:30 +00:00
c2f55898fe Merge pull request 'feature/videofeed' (#1) from feature/videofeed into develop
Reviewed-on: #1
2025-12-22 12:30:26 +00:00
45e6a3286c Implement video feed feature with components, hooks, and utility functions 2025-12-22 12:19:00 +00:00
276dcd26ed Add video feed feature with related components and hooks
- Implemented VideoFeed component to display sightings.
- Created useSightingList and useVideoFeed hooks for data fetching and state management.
- Added AppProviders for context management.
- Updated Dashboard to include VideoFeed.
- Introduced types for sightings in utils/types.tsx.
- Added Header and Footer components for layout.
- Configured React Query for data handling.
2025-12-19 16:04:06 +00:00
51 changed files with 1753 additions and 261 deletions

2
.gitignore vendored
View File

@@ -22,3 +22,5 @@ dist-ssr
*.njsproj
*.sln
*.sw?
.env

3
.prettierrc Normal file
View File

@@ -0,0 +1,3 @@
{
"printWidth": 120
}

View File

@@ -14,9 +14,17 @@
"@fortawesome/free-solid-svg-icons": "^7.1.0",
"@fortawesome/react-fontawesome": "^3.1.1",
"@tailwindcss/vite": "^4.1.18",
"@tanstack/react-query": "^5.90.12",
"@tanstack/react-router": "^1.141.6",
"clsx": "^2.1.1",
"country-flag-icons": "^1.6.4",
"formik": "^2.4.9",
"konva": "^10.0.12",
"react": "^19.2.0",
"react-dom": "^19.2.0",
"react-konva": "^19.2.1",
"react-modal": "^3.16.3",
"react-tabs": "^6.1.0",
"tailwindcss": "^4.1.18"
},
"devDependencies": {
@@ -25,6 +33,7 @@
"@types/node": "^24.10.1",
"@types/react": "^19.2.5",
"@types/react-dom": "^19.2.3",
"@types/react-modal": "^3.16.3",
"@vitejs/plugin-react": "^5.1.1",
"eslint": "^9.39.1",
"eslint-plugin-react-hooks": "^7.0.1",

1
src/app/config.ts Normal file
View File

@@ -0,0 +1 @@
export const cambase = import.meta.env.VITE_LOCAL_CAMBASE;

View File

@@ -0,0 +1,16 @@
import { createContext, useContext } from "react";
import type { CameraSettings, CameraSettingsAction } from "../../utils/types";
type CameraSettingsContextType = {
state: CameraSettings;
dispatch: (state: CameraSettingsAction) => void;
};
export const CameraSettingsContext = createContext<CameraSettingsContextType | null>(null);
export const useCameraSettingsContext = () => {
const context = useContext(CameraSettingsContext);
if (!context) {
throw new Error("useCameraSettingsContext must be used within a CameraSettingsProvider");
}
return context;
};

View File

@@ -0,0 +1,13 @@
import { type PropsWithChildren } from "react";
import { QueryProvider } from "./QueryProvider";
import CameraSettingsProvider from "./CameraSettingsProvider";
const AppProviders = ({ children }: PropsWithChildren) => {
return (
<QueryProvider>
<CameraSettingsProvider>{children}</CameraSettingsProvider>
</QueryProvider>
);
};
export default AppProviders;

View File

@@ -0,0 +1,11 @@
import { CameraSettingsContext } from "../context/CameraSettingsContext";
import { useReducer, type ReactNode } from "react";
import { initialState, cameraSettingsReducer } from "../reducers/cameraSettingsReducer";
const CameraSettingsProvider = ({ children }: { children: ReactNode }) => {
const [state, dispatch] = useReducer(cameraSettingsReducer, initialState);
return <CameraSettingsContext.Provider value={{ state, dispatch }}>{children}</CameraSettingsContext.Provider>;
};
export default CameraSettingsProvider;

View File

@@ -0,0 +1,7 @@
import type { PropsWithChildren } from "react";
import { QueryClientProvider } from "@tanstack/react-query";
import { queryClient } from "../queryClient";
export function QueryProvider({ children }: PropsWithChildren) {
return <QueryClientProvider client={queryClient}>{children}</QueryClientProvider>;
}

10
src/app/queryClient.ts Normal file
View File

@@ -0,0 +1,10 @@
import { QueryClient } from "@tanstack/react-query";
export const queryClient = new QueryClient({
defaultOptions: {
queries: {
staleTime: 60_000,
refetchOnWindowFocus: false,
},
},
});

View File

@@ -0,0 +1,23 @@
import type { CameraSettings, CameraSettingsAction } from "../../utils/types";
export const initialState: CameraSettings = {
mode: 0,
imageSize: { width: 1280, height: 960 },
};
export const cameraSettingsReducer = (state: CameraSettings, action: CameraSettingsAction) => {
switch (action.type) {
case "SET_MODE":
return {
...state,
mode: action.payload,
};
case "SET_IMAGE_SIZE":
return {
...state,
imageSize: action.payload,
};
default:
return state;
}
};

View File

@@ -0,0 +1,21 @@
import clsx from "clsx";
type CardHeaderProps = {
title: string;
};
const CardHeader = ({ title }: CardHeaderProps) => {
return (
<div
className={clsx(
"w-full border-b border-gray-600 flex flex-row items-center space-x-2 mb-6 relative justify-between",
)}
>
<div className="flex flex-row items-center w-full justify-between">
<h2 className="flex flex-row text-xl items-center">{title}</h2>
</div>
</div>
);
};
export default CardHeader;

View File

@@ -0,0 +1,20 @@
import { capitalize } from "../../utils/utils";
type BadgeProps = {
text: string;
};
const Badge = ({ text }: BadgeProps) => {
const lowerCaseWord = text.toLowerCase();
return (
<span
className={`text-sm font-medium inline-flex items-center px-2 py-0.5 rounded-md me-2
border-2 space-x-2
${text.toLowerCase() === "running" || text.toLowerCase() === "video-playing" || text.toLowerCase() === "camera-controller-ready" ? "bg-green-800 text-green-300 border-green-900" : "bg-red-800 text-red-300 border-red-900"} `}
>
<span>{capitalize(lowerCaseWord)}</span>
</span>
);
};
export default Badge;

View File

@@ -0,0 +1,22 @@
import React from "react";
import clsx from "clsx";
type CardProps = {
children: React.ReactNode;
className?: string;
};
const Card = ({ children, className }: CardProps) => {
return (
<div
className={clsx(
"bg-[#253445] rounded-lg mt-4 shadow-2xl overflow-x-hidden md:row-span-1 px-2 border border-gray-600 ",
className,
)}
>
{children}
</div>
);
};
export default Card;

View File

@@ -0,0 +1,38 @@
import Modal from "react-modal";
type ModalComponentProps = {
isModalOpen: boolean;
children: React.ReactNode;
close: () => void;
};
const ModalComponent = ({ isModalOpen, children, close }: ModalComponentProps) => {
return (
<Modal
isOpen={isModalOpen}
onRequestClose={close}
className="bg-[#1e2a38] p-6 rounded-lg shadow-lg w-[95%] mt-[2%] md:w-[60%] z-100 overflow-y-auto border border-gray-600 max-h-[90%]"
overlayClassName="fixed inset-0 bg-[#1e2a38]/70 flex justify-center items-start z-100"
closeTimeoutMS={200}
style={{
overlay: {
transition: "opacity 200ms ease-in-out",
},
content: {
transition: "all 200ms ease-in-out",
},
}}
>
<div className="flex justify-end">
<button
onClick={close}
className="bg-gray-700 hover:bg-gray-600 text-white font-bold py-2 px-4 rounded-lg mb-4 hover:cursor-pointer"
>
Close
</button>
</div>
{children}
</Modal>
);
};
export default ModalComponent;

View File

@@ -0,0 +1,9 @@
import clsx from "clsx";
type StatusIndicatorProps = { status: string };
const StatusIndicator = ({ status }: StatusIndicatorProps) => {
return <span className={clsx(`flex w-3 h-3 me-2 rounded-full`, status)}></span>;
};
export default StatusIndicator;

View File

@@ -0,0 +1,13 @@
import { timeAgo } from "../../utils/utils";
type TimeStampBadgeProps = {
timeStamp: number;
};
const TimeStampBadge = ({ timeStamp }: TimeStampBadgeProps) => {
const formattedTimeAgo = timeAgo(Number(timeStamp));
return <span className="font-light border bg-blue-400 text-blue-800 px-2 rounded">{formattedTimeAgo}</span>;
};
export default TimeStampBadge;

View File

@@ -0,0 +1,31 @@
import PlateRead from "./components/plateRead/PlateRead";
import SightingStack from "./components/sightingStack/SightingStack";
import VideoFeed from "./components/videoFeed/VideoFeed";
import { useSightingList } from "./hooks/useSightingList";
import { useCameraSettingsContext } from "../../app/context/CameraSettingsContext";
import SystemOverview from "./SystemOverview/SystemOverview";
const Dashboard = () => {
const { sightingList, isLoading } = useSightingList();
const { state: cameraSettings } = useCameraSettingsContext();
const size = cameraSettings.imageSize;
const mostRecent = sightingList[0];
return (
<div>
<SystemOverview />
<div className="grid grid-cols-1 md:grid-cols-12 gap-2 md:gap-5 mt-4">
<div className="col-span-7">
<VideoFeed mostRecentSighting={mostRecent} isLoading={isLoading} size={size} />
<PlateRead sighting={mostRecent} />
</div>
<div className="col-span-5">
<SightingStack sightings={sightingList} />
</div>
</div>
</div>
);
};
export default Dashboard;

View File

@@ -0,0 +1,41 @@
import type { StoreData } from "../../../utils/types";
type PlatesProcessedProps = {
platesProcessed: StoreData;
};
const PlatesProcessed = ({ platesProcessed }: PlatesProcessedProps) => {
const totalPending = platesProcessed?.totalPending || 0;
const totalActive = platesProcessed?.totalActive || 0;
const totalFailed = platesProcessed?.totalLost || 0;
const toastReceived = platesProcessed?.totalReceived || 0;
return (
<>
<div className="flex flex-row items-center border-b border-gray-500">
<h3 className="text-lg ">Reads</h3>
</div>
<div className="grid grid-cols-2 gap-2">
<div>
<h4 className="text-md">Total Active</h4>
<span className="bg-[#151b22] py-1 px-2 rounded-md font-bold text-blue-500">{totalActive}</span>
</div>
<div>
<h4 className="text-md">Total Received</h4>
<span className="bg-[#151b22] py-1 px-2 rounded-md font-bold text-green-500">{toastReceived}</span>
</div>
<div>
<h4 className="text-md">Total Pending</h4>
<span className="bg-[#151b22] py-1 px-2 rounded-md font-bold text-amber-500">{totalPending}</span>
</div>
<div>
<h4 className="text-md">Total Failed</h4>
<span className="bg-[#151b22] py-1 px-2 rounded-md font-bold text-red-500">{totalFailed}</span>
</div>
</div>
</>
);
};
export default PlatesProcessed;

View File

@@ -0,0 +1,42 @@
import Card from "../../../components/ui/Card";
import { useGetStore } from "../hooks/useGetStore";
import { useGetSystemHealth } from "../hooks/useGetSystemHealth";
import PlatesProcessed from "./PlatesProcessed";
import SystemStatusContent from "./SystemStatusContent";
const SystemOverview = () => {
const { systemHealthQuery } = useGetSystemHealth();
const { storeQuery } = useGetStore();
const platesProcessed = storeQuery?.data || {};
const upTime = systemHealthQuery?.data?.UptimeHumane || 0;
const startTime = systemHealthQuery?.data?.StartTimeHumane || "";
const cameraStatus = systemHealthQuery?.data?.Status || [];
const isError = systemHealthQuery?.isError || false;
if (systemHealthQuery.isLoading) {
return <div>Loading system overview...</div>;
}
return (
<div>
<div className="grid grid-cols-1 md:grid-cols-4 gap-4">
<Card className="p-4 hover:bg-[#233241] cursor-pointer">
<SystemStatusContent status={cameraStatus} isError={isError} />
</Card>
<Card className="p-4 hover:bg-[#233241] cursor-pointer">
<h3 className="text-lg">Active Sightings</h3>
</Card>
<Card className="p-4 hover:bg-[#233241] cursor-pointer">
<PlatesProcessed platesProcessed={platesProcessed} />
</Card>
<Card className="p-4 hover:bg-[#233241] cursor-pointer">
<h3 className="text-lg">Up Time</h3> <span className="text-slate-300">{upTime}</span>
<h3 className="text-lg">Start Time</h3> <span className="text-slate-300">{startTime}</span>
</Card>
</div>
</div>
);
};
export default SystemOverview;

View File

@@ -0,0 +1,62 @@
import StatusIndicator from "../../../components/ui/StatusIndicator";
import type { CameraStatus } from "../../../utils/types";
import { useState } from "react";
import SystemStatusModal from "./systemStatusModal/SystemStatusModal";
type SystemStatusContentProps = {
status?: CameraStatus[];
isError: boolean;
};
const SystemStatusContent = ({ status, isError }: SystemStatusContentProps) => {
const [isSystemModalOpen, setIsSystemModalOpen] = useState(false);
const isAllCamerasOperational = status?.every((camera) => {
const allowedTags = ["RUNNING", "VIDEO-PLAYING", "CAMERA-CONTROLLER-READY"];
return camera.tags.every((tag) => allowedTags.includes(tag));
});
const openModal = () => setIsSystemModalOpen(true);
return (
<>
<div className="group w-full" onClick={openModal}>
<div className="flex flex-row items-center border-b border-gray-500">
{isError ? (
<StatusIndicator status="bg-red-500" />
) : isAllCamerasOperational ? (
<StatusIndicator status="bg-green-500" />
) : (
<StatusIndicator status="bg-yellow-500" />
)}
<h3 className="text-lg ">System Status</h3>
</div>
{isError ? (
<p className="text-red-500">Some systems are experiencing issues.</p>
) : (
<>
{isAllCamerasOperational ? (
<p className="text-green-500">All systems are operational.</p>
) : (
<p className="text-yellow-500">Some systems have issues.</p>
)}
{!isError && !isAllCamerasOperational && (
<span className="rounded-md cursor-pointer text-xs text-white opacity-0 shadow-md transition-opacity duration-100 group-hover:opacity-100">
Click to view more details.
</span>
)}
</>
)}
</div>
<SystemStatusModal
title={"System Status Details"}
isOpen={isSystemModalOpen}
close={() => setIsSystemModalOpen(false)}
status={status}
isError={isError}
/>
</>
);
};
export default SystemStatusContent;

View File

@@ -0,0 +1,38 @@
import CardHeader from "../../../../components/CardHeader";
import Badge from "../../../../components/ui/Badge";
import ModalComponent from "../../../../components/ui/ModalComponent";
import type { CameraStatus } from "../../../../utils/types";
type SystemStatusModalProps = {
title: string;
isOpen: boolean;
close: () => void;
status?: CameraStatus[];
isError: boolean;
};
const SystemStatusModal = ({ isOpen, close, status, title }: SystemStatusModalProps) => {
return (
<ModalComponent isModalOpen={isOpen} close={close}>
<CardHeader title={title} />
<div className="p-4">
<ul>
{status?.map((camera) => (
<li key={camera.id}>
<div className="flex flex-row justify-between border border-gray-500 p-4 rounded-md mb-4">
<p>{camera.id}</p>
<div>
{camera.tags.map((tag) => (
<Badge key={tag} text={tag} />
))}
</div>
</div>
</li>
))}
</ul>
</div>
</ModalComponent>
);
};
export default SystemStatusModal;

View File

@@ -0,0 +1,57 @@
import { GB } from "country-flag-icons/react/3x2";
import { formatNumberPlate } from "../../../../utils/utils";
type NumberPlateProps = {
vrm?: string | undefined;
motion?: boolean;
size?: "xs" | "sm" | "md" | "lg";
};
const NumberPlate = ({ vrm, motion, size }: NumberPlateProps) => {
let options = {
plateWidth: "w-[14rem]",
textSize: "text-2xl",
borderWidth: "border-6",
};
switch (size) {
case "xs":
options = {
plateWidth: "w-[8rem]",
textSize: "text-md",
borderWidth: "border-4",
};
break;
case "sm":
options = {
plateWidth: "w-[10rem]",
textSize: "text-lg",
borderWidth: "border-4",
};
break;
case "lg":
options = {
plateWidth: "w-[16rem]",
textSize: "text-3xl",
borderWidth: "border-6",
};
break;
}
return (
<div
className={`relative ${options.plateWidth} ${options.borderWidth} border-black rounded-xl text-nowrap
text-black px-6 py-2 text-monospace flex items-center justify-center
${motion ? "bg-yellow-400" : "bg-white"}`}
>
<div>
<div className="absolute inset-y-0 left-0 bg-blue-600 w-8 flex flex-col">
<GB />
</div>
<p className={`pl-4 font-extrabold ${options.textSize} text-right`}>{vrm && formatNumberPlate(vrm)}</p>
</div>
</div>
);
};
export default NumberPlate;

View File

@@ -0,0 +1,55 @@
import type { SightingType } from "../../../../utils/types";
import Card from "../../../../components/ui/Card";
import CardHeader from "../../../../components/CardHeader";
type PlateReadProps = {
sighting: SightingType;
};
const PlateRead = ({ sighting }: PlateReadProps) => {
const vrm = sighting?.vrm;
const region = sighting?.laneID;
const timestamp = sighting?.timeStamp;
const seenCount = sighting?.seenCount;
const radarSpeed = sighting?.radarSpeed;
const motion = sighting?.motion;
const countryCode = sighting?.countryCode;
const plateColorUrl = sighting?.plateUrlColour;
if (!sighting) return <div>No sighting data available.</div>;
return (
<Card className="p-4 w-full">
<CardHeader title="Plate Read" />
<dl className="grid grid-cols-[auto_1fr] gap-x-4 gap-y-2 text-sm">
<dt className="font-semibold text-gray-200">VRM:</dt>
<dd>{vrm}</dd>
<dt className="font-semibold text-gray-200">Region:</dt>
<dd>{region}</dd>
<dt className="font-semibold text-gray-200">Timestamp:</dt>
<dd>{timestamp}</dd>
<dt className="font-semibold text-gray-200">Seen Count:</dt>
<dd>{seenCount}</dd>
<dt className="font-semibold text-gray-200">Radar Speed:</dt>
<dd>{radarSpeed} mph</dd>
<dt className="font-semibold text-gray-200">Motion:</dt>
<dd>{motion}</dd>
<dt className="font-semibold text-gray-200">Country Code:</dt>
<dd>{countryCode}</dd>
<dt className="font-semibold text-gray-200">Plate Image:</dt>
<dd>
<a href={plateColorUrl} target="_blank" rel="noopener noreferrer" className="text-blue-600 hover:underline">
View Image
</a>
</dd>
</dl>
</Card>
);
};
export default PlateRead;

View File

@@ -0,0 +1,38 @@
import TimeStampBadge from "../../../../components/ui/TimeStampBadge";
import type { SightingType } from "../../../../utils/types";
import NumberPlate from "../platePatch/NumberPlate";
type SightingItemProps = {
sighting: SightingType;
onOpenModal: () => void;
};
const SightingItem = ({ sighting, onOpenModal }: SightingItemProps) => {
const motion = sighting.motion.toLowerCase() === "away" ? true : false;
return (
<>
<div
className="flex flex-row items-center border p-2 mb-2 rounded-lg border-gray-500 justify-between hover:bg-[#233241] hover:cursor-pointer"
onClick={onOpenModal}
>
<div>
<div>
<TimeStampBadge timeStamp={sighting.timeStampMillis} />
</div>
<div className="text-xl">
<span className="font-semibold text-gray-200">{sighting.vrm}</span>
</div>
</div>
{window.innerWidth > 768 ? (
<NumberPlate vrm={sighting.vrm} motion={motion} size="md" />
) : (
<NumberPlate vrm={sighting.vrm} motion={motion} size="sm" />
)}
</div>
</>
);
};
export default SightingItem;

View File

@@ -0,0 +1,39 @@
import { useState } from "react";
import CardHeader from "../../../../components/CardHeader";
import Card from "../../../../components/ui/Card";
import type { SightingType } from "../../../../utils/types";
import SightingItem from "./SightingItem";
import SightingItemModal from "./sightingItemModal/SightingItemModal";
type SightingStackProps = {
sightings: SightingType[];
};
const SightingStack = ({ sightings }: SightingStackProps) => {
const [isSightingModalOpen, setIsSightingModalOpen] = useState(false);
const [currentSighting, setCurrentSighting] = useState<SightingType | null>(null);
const handleOpenModal = (sighting: SightingType | null) => {
if (!sighting) return;
setCurrentSighting(sighting);
setIsSightingModalOpen(true);
};
return (
<>
<Card className="p-4 w-full h-full">
<CardHeader title="Live Sightings" />
<div className="md:h-[65%]">
{sightings.map((sighting) => (
<SightingItem key={sighting.ref} sighting={sighting} onOpenModal={() => handleOpenModal(sighting)} />
))}
</div>
</Card>
<SightingItemModal
isOpen={isSightingModalOpen}
close={() => setIsSightingModalOpen(false)}
sighting={currentSighting}
/>
</>
);
};
export default SightingStack;

View File

@@ -0,0 +1,18 @@
import ModalComponent from "../../../../../components/ui/ModalComponent";
import type { SightingType } from "../../../../../utils/types";
import SightingModalContent from "./SightingModalContent";
type SightingItemModalProps = {
isOpen: boolean;
close: () => void;
sighting: SightingType | null;
};
const SightingItemModal = ({ isOpen, close, sighting }: SightingItemModalProps) => {
return (
<ModalComponent isModalOpen={isOpen} close={close}>
<SightingModalContent sighting={sighting} />
</ModalComponent>
);
};
export default SightingItemModal;

View File

@@ -0,0 +1,59 @@
import { useCameraSettingsContext } from "../../../../../app/context/CameraSettingsContext";
import type { SightingType } from "../../../../../utils/types";
import { timeAgo } from "../../../../../utils/utils";
import NumberPlate from "../../platePatch/NumberPlate";
import VideoFeed from "../../videoFeed/VideoFeed";
type SightingModalContentProps = {
sighting: SightingType | null;
};
const SightingModalContent = ({ sighting }: SightingModalContentProps) => {
const { state: cameraSettings } = useCameraSettingsContext();
const size = cameraSettings.imageSize;
const modalImageSize = { width: size.width / 1.5, height: size.height / 1.5 };
const timeStamp = timeAgo(sighting?.timeStampMillis ?? null);
return (
<div>
{sighting ? (
<>
<div className="flex flex-row items-center justify-between mb-6 border-b border-gray-600">
<h2 className="text-2xl font-bold">Sighting Details</h2>
<NumberPlate vrm={sighting.vrm} motion={sighting.motion.toLowerCase() === "away"} size="md" />
</div>
<div className="grid grid-cols-1 lg:grid-cols-3 gap-6">
<div className="lg:col-span-2">
<VideoFeed mostRecentSighting={sighting} isLoading={false} size={modalImageSize} isModal={true} />
</div>
<div className="space-y-4 border p-4 rounded-lg border-gray-600">
<div>
<p className="text-md text-gray-300">VRM</p>
<p className="text-lg font-semibold">{sighting.vrm}</p>
</div>
<div>
<p className="text-md text-gray-300">Seen</p>
<p className="text-md">{timeStamp}</p>
</div>
<div>
<p className="text-md text-gray-300">Timestamp</p>
<p className="text-md">{new Date(sighting.timeStampMillis).toLocaleString()}</p>
</div>
<div>
<p className="text-md text-gray-300">Motion</p>
<p className="text-lg font-semibold">{sighting.motion}</p>
</div>
<div>
<p className="text-md text-gray-300">Radar Speed</p>
<p className="text-lg font-semibold">{sighting.radarSpeed} mph</p>
</div>
</div>
</div>
</>
) : null}
</div>
);
};
export default SightingModalContent;

View File

@@ -0,0 +1,42 @@
import { useState } from "react";
import { Text, Group, Rect } from "react-konva";
type VideoButtonProps = {
x?: number;
y?: number;
onClick?: () => void;
text?: string;
};
const VideoButton = ({ x, y, onClick, text }: VideoButtonProps) => {
const [isHovered, setIsHovered] = useState(false);
return (
<Group
x={x}
y={y}
onClick={onClick}
onMouseEnter={(e) => {
setIsHovered(true);
const container = e.target.getStage()?.container();
if (container) container.style.cursor = "pointer";
}}
onMouseLeave={(e) => {
setIsHovered(false);
const container = e.target.getStage()?.container();
if (container) container.style.cursor = "default";
}}
>
<Rect
width={100}
height={35}
fill={isHovered ? "#2563eb" : "#3b82f6"}
cornerRadius={8}
shadowBlur={isHovered ? 10 : 5}
shadowOpacity={0.3}
/>
<Text text={text} fontSize={14} fill="white" width={100} height={35} align="center" verticalAlign="middle" />
</Group>
);
};
export default VideoButton;

View File

@@ -0,0 +1,120 @@
import { Stage, Layer, Image, Rect, Text } from "react-konva";
import type { SightingType } from "../../../../utils/types";
import { useCreateVideoSnapshot } from "../../hooks/useCreateVideoSnapshot";
import { useEffect, useState } from "react";
import { useCameraSettingsContext } from "../../../../app/context/CameraSettingsContext";
type VideoFeedProps = {
mostRecentSighting: SightingType;
isLoading: boolean;
size: { width: number; height: number };
modeSetting?: number;
isModal?: boolean;
};
const VideoFeed = ({ mostRecentSighting, isLoading, size, modeSetting, isModal = false }: VideoFeedProps) => {
const { state: cameraSettings, dispatch } = useCameraSettingsContext();
const contextMode = cameraSettings.mode;
const [localMode, setLocalMode] = useState(0);
const mode = isModal ? localMode : contextMode;
const { image, plateRect, plateTrack } = useCreateVideoSnapshot(mostRecentSighting);
const handleModeChange = (newMode: number) => {
if (modeSetting) return;
const nextMode = newMode > 2 ? 0 : newMode;
if (isModal) {
setLocalMode(nextMode);
} else {
dispatch({ type: "SET_MODE", payload: nextMode });
}
};
useEffect(() => {
const updateSize = () => {
const width = window.innerWidth * 0.57;
const height = (width * 2) / 3;
dispatch({ type: "SET_IMAGE_SIZE", payload: { width, height } });
};
updateSize();
window.addEventListener("resize", updateSize);
return () => window.removeEventListener("resize", updateSize);
}, []);
if (isLoading) return <>Loading...</>;
return (
<div className="w-[70%] mt-[2%]">
<Stage width={size.width} height={size.height} onClick={() => handleModeChange(mode + 1)}>
<Layer>
{image && (
<Image
image={image}
height={size.height}
width={size.width}
onMouseEnter={(e) => {
const container = e.target.getStage()?.container();
if (container) container.style.cursor = "pointer";
}}
onMouseLeave={(e) => {
const container = e.target.getStage()?.container();
if (container) container.style.cursor = "default";
}}
cornerRadius={10}
/>
)}
</Layer>
{plateRect && mode === 1 && (
<Layer>
<Rect
x={plateRect?.[0] * size.width}
y={plateRect?.[1] * size.height}
width={plateRect?.[2] * size.width}
height={plateRect?.[3] * size.height}
stroke="blue"
strokeWidth={4}
cornerRadius={5}
/>
</Layer>
)}
{plateTrack && mode === 2 && (
<Layer>
{plateTrack.map((rect, index) => (
<Rect
key={index}
x={rect[0] * size.width}
y={rect[1] * size.height}
width={rect[2] * size.width}
height={rect[3] * size.height}
stroke="red"
strokeWidth={2}
cornerRadius={5}
/>
))}
</Layer>
)}
<Layer>
<Rect
x={5}
y={0.955 * size.height}
width={size.width * 0.35}
height={30}
fill="rgba(255, 255, 255, 0.45)"
cornerRadius={5}
/>
<Text
text={`Overlay Mode: ${mode === 0 ? "None" : mode === 1 ? "Plate Highlight" : "Plate Track"}`}
x={10}
y={0.96 * size.height}
fontSize={16}
fill="#000000"
/>
</Layer>
</Stage>
</div>
);
};
export default VideoFeed;

View File

@@ -0,0 +1,27 @@
import { useRef } from "react";
import type { SightingType } from "../../../utils/types";
export const useCreateVideoSnapshot = (mostRecentSighting: SightingType | null) => {
const latestBitMapRef = useRef<ImageBitmap | null>(null);
if (!mostRecentSighting) {
return {
snapshotUrl: null,
latestBitMapRef: null,
image: null,
plateRect: null,
plateTrack: null,
};
}
const snapshotUrl = mostRecentSighting?.overviewUrl;
const image = new Image();
image.src = snapshotUrl;
const plateRect = mostRecentSighting?.overviewPlateRect;
const plateTrack = mostRecentSighting?.plateTrack;
return { snapshotUrl, latestBitMapRef, image, plateRect, plateTrack };
};

View File

@@ -0,0 +1,16 @@
import { useQuery } from "@tanstack/react-query";
import { cambase } from "../../../app/config";
const fetchStore = async () => {
const response = await fetch(`${cambase}/Store0/diagnostics-json`);
if (!response.ok) throw new Error("Network response was not ok");
return response.json();
};
export const useGetStore = () => {
const storeQuery = useQuery({
queryKey: ["storeData"],
queryFn: fetchStore,
refetchInterval: 5000,
});
return { storeQuery };
};

View File

@@ -0,0 +1,21 @@
import { useQuery } from "@tanstack/react-query";
import { cambase } from "../../../app/config";
const fetchSystemHealth = async () => {
const response = await fetch(`${cambase}/api/system-health`);
if (!response.ok) throw new Error("Network response was not ok");
return response.json();
};
export const useGetSystemHealth = () => {
const systemHealthQuery = useQuery({
queryKey: ["systemHealth"],
queryFn: fetchSystemHealth,
refetchInterval: 60000,
refetchOnWindowFocus: false,
retry: false,
staleTime: 30000,
});
return { systemHealthQuery };
};

View File

@@ -0,0 +1,27 @@
import { useEffect, useRef, useState } from "react";
import { useVideoFeed } from "./useVideoFeed";
import type { SightingType } from "../../../utils/types";
export const useSightingList = () => {
const [sightingList, setSightingList] = useState<SightingType[]>([]);
const { videoFeedQuery } = useVideoFeed();
const latestSighting = videoFeedQuery?.data;
const lastProcessedRef = useRef<number>(-1);
const isLoading = videoFeedQuery?.isPending;
useEffect(() => {
if (!latestSighting || latestSighting.ref === undefined || latestSighting.ref === -1) return;
if (latestSighting.ref !== lastProcessedRef.current) {
lastProcessedRef.current = latestSighting.ref;
// eslint-disable-next-line react-hooks/set-state-in-effect
setSightingList((prevList) => {
if (prevList[0]?.ref === latestSighting.ref) return prevList;
const dedupPrev = prevList.filter((s) => s.ref !== latestSighting.ref);
return [latestSighting, ...dedupPrev].slice(0, 10);
});
}
}, [latestSighting, latestSighting?.ref]);
return { sightingList, isLoading };
};

View File

@@ -0,0 +1,32 @@
import { useQuery } from "@tanstack/react-query";
import { cambase } from "../../../app/config";
import { useEffect, useRef } from "react";
const fetchVideoFeed = async (refId: number) => {
const response = await fetch(`${cambase}/mergedHistory/sightingSummary?mostRecentRef=${refId}`);
if (!response.ok) {
throw new Error("Network response was not ok");
}
return response.json();
};
export const useVideoFeed = () => {
const currentRefId = useRef<number>(-1);
const videoFeedQuery = useQuery({
queryKey: ["videoFeed"],
queryFn: () => fetchVideoFeed(currentRefId.current),
refetchInterval: 400,
refetchOnWindowFocus: false,
retry: false,
staleTime: 0,
});
useEffect(() => {
if (videoFeedQuery.data?.ref !== -1) {
currentRefId.current = videoFeedQuery?.data?.ref;
}
}, [videoFeedQuery.data]);
return { videoFeedQuery };
};

View File

@@ -0,0 +1,17 @@
import CameraSetup from "./components/cameraSetup/CameraSetup";
import PlatePatchSetup from "./components/platePatch/PlatePatchSetup";
import VideoFeedSetup from "./components/videofeed/VideoFeedSetup";
const Setup = () => {
return (
<div className="grid grid-cols-1 md:grid-cols-2 gap-2 md:gap-5">
<div>
<VideoFeedSetup />
<PlatePatchSetup />
</div>
<CameraSetup />
</div>
);
};
export default Setup;

View File

@@ -0,0 +1,25 @@
import { Formik, Form } from "formik";
type CameraControlProps = {
tabIndex: number;
};
const CameraControls = ({ tabIndex }: CameraControlProps) => {
const initialValues = {};
console.log(tabIndex);
const handleSumbit = (values: { test?: string }) => {
console.log(values);
};
return (
<Formik initialValues={initialValues} onSubmit={handleSumbit}>
<Form>
<button type="submit" className="p-3 bg-green-700 hover:bg-green-900 rounded-md">
Save Settings
</button>
</Form>
</Formik>
);
};
export default CameraControls;

View File

@@ -0,0 +1,36 @@
import { Tab, Tabs, TabList, TabPanel } from "react-tabs";
import "react-tabs/style/react-tabs.css";
import Card from "../../../../components/ui/Card";
import CameraControls from "../cameraControls/CameraControls";
import { useState } from "react";
const CameraSetup = () => {
const [tabIndex, setTabIndex] = useState(0);
console.log(tabIndex);
return (
<Card className="p-4">
<Tabs selectedIndex={tabIndex} onSelect={(index) => setTabIndex(index)}>
<TabList>
<Tab>Camera</Tab>
<Tab>Regions</Tab>
<Tab>Crop</Tab>
<Tab>Advanced</Tab>
</TabList>
<TabPanel>
<CameraControls tabIndex={tabIndex} />
</TabPanel>
<TabPanel>
<div>Regions</div>
</TabPanel>
<TabPanel>
<div>Crop</div>
</TabPanel>
<TabPanel>
<div>Advanced</div>
</TabPanel>
</Tabs>
</Card>
);
};
export default CameraSetup;

View File

@@ -0,0 +1,12 @@
import type { SightingType } from "../../../../utils/types";
type PlateItemProps = {
sighting: SightingType;
};
const PlateItem = ({ sighting }: PlateItemProps) => {
console.log(sighting);
return <div>PlateItem</div>;
};
export default PlateItem;

View File

@@ -0,0 +1,34 @@
import Card from "../../../../components/ui/Card";
import TimeStampBadge from "../../../../components/ui/TimeStampBadge";
import NumberPlate from "../../../dashboard/components/platePatch/NumberPlate";
import { useSightingList } from "../../../dashboard/hooks/useSightingList";
const PlatePatchSetup = () => {
const { sightingList, isLoading } = useSightingList();
const firstFourSightings = sightingList?.slice(0, 4);
if (isLoading) return <>Loading...</>;
return (
<Card className="p-4">
<ul>
{firstFourSightings?.map((sighting) => (
<li key={sighting.ref}>
<div className="flex flex-col gap-2 mb-2 border border-gray-600 p-2 rounded-lg hover:cursor-pointer hover:bg-[#233241]">
<div className="">
<TimeStampBadge timeStamp={sighting.timeStampMillis} />
</div>
<p className="font-semibold text-gray-200">{sighting.vrm}</p>
<div className="flex items-center gap-4">
<img src={sighting.plateUrlColour} alt="" width={100} height={100} />
<NumberPlate vrm={sighting.vrm} size="sm" motion={sighting.motion.toLowerCase() === "away"} />
</div>
</div>
</li>
))}
</ul>
</Card>
);
};
export default PlatePatchSetup;

View File

@@ -0,0 +1,41 @@
import { Stage, Layer, Image } from "react-konva";
import { useCreateVideoPreviewSnapshot } from "../../hooks/useCreatePreviewImage";
import { useEffect, type RefObject } from "react";
import { useCameraSettingsContext } from "../../../../app/context/CameraSettingsContext";
const VideoFeedSetup = () => {
const { latestBitmapRef, isLoading } = useCreateVideoPreviewSnapshot();
const { state, dispatch } = useCameraSettingsContext();
const size = state.imageSize;
const draw = (bmp: RefObject<ImageBitmap | null>): ImageBitmap | null => {
if (!bmp || !bmp.current) {
return null;
}
const image = bmp.current;
return image;
};
const image = draw(latestBitmapRef);
useEffect(() => {
const updateSize = () => {
const width = window.innerWidth * 0.48;
const height = (width * 2) / 3;
dispatch({ type: "SET_IMAGE_SIZE", payload: { width, height } });
};
updateSize();
window.addEventListener("resize", updateSize);
return () => window.removeEventListener("resize", updateSize);
}, []);
if (isLoading) return <>Loading...</>;
return (
<div className="mt-[1%]">
<Stage width={size.width} height={size.height}>
<Layer>{image && <Image image={image} height={size.height} width={size.width} cornerRadius={10} />}</Layer>
</Stage>
</div>
);
};
export default VideoFeedSetup;

View File

@@ -0,0 +1,25 @@
import { useEffect, useRef } from "react";
import { useVideoPreview } from "./useVideoPreview";
export const useCreateVideoPreviewSnapshot = () => {
const { videoPreviewQuery } = useVideoPreview();
const latestBitmapRef = useRef<ImageBitmap | null>(null);
const isLoading = videoPreviewQuery?.isPending;
const imageBlob = videoPreviewQuery?.data;
useEffect(() => {
async function createImageBitmapFromBlob() {
if (!imageBlob) return;
try {
const bitmap = await createImageBitmap(imageBlob);
latestBitmapRef.current = bitmap;
} catch (error) {
console.log(error);
}
}
createImageBitmapFromBlob();
}, [imageBlob]);
return { latestBitmapRef, isLoading, imageURL: imageBlob ? URL.createObjectURL(imageBlob) : null };
};

View File

@@ -0,0 +1,19 @@
import { useQuery } from "@tanstack/react-query";
import { cambase } from "../../../app/config";
const fetchVideoPreview = async () => {
const response = await fetch(`${cambase}/Colour-preview`);
if (!response.ok) {
throw new Error("Failed to fetch video preview");
}
return response.blob();
};
export const useVideoPreview = () => {
const videoPreviewQuery = useQuery({
queryKey: ["videoPreview"],
queryFn: fetchVideoPreview,
refetchInterval: 100,
});
return { videoPreviewQuery };
};

View File

@@ -3,12 +3,14 @@ import { createRoot } from "react-dom/client";
import "./index.css";
import { RouterProvider, createRouter } from "@tanstack/react-router";
import { routeTree } from "./routeTree.gen.ts";
import AppProviders from "./app/providers/AppProviders.tsx";
import Modal from "react-modal";
const router = createRouter({
routeTree,
basepath: "/aiq-lite",
});
Modal.setAppElement("#root");
declare module "@tanstack/react-router" {
interface Register {
router: typeof router;
@@ -17,6 +19,8 @@ declare module "@tanstack/react-router" {
createRoot(document.getElementById("root")!).render(
<StrictMode>
<AppProviders>
<RouterProvider router={router} />
</StrictMode>
</AppProviders>
</StrictMode>,
);

View File

@@ -1,6 +1,6 @@
import { createRootRoute, Outlet } from "@tanstack/react-router";
import Header from "../ui/Header";
import Footer from "../ui/Footer";
import Header from "../components/ui/Header";
import Footer from "../components/ui/Footer";
const RootLayout = () => {
return (

View File

@@ -1,9 +1,10 @@
import { createFileRoute } from "@tanstack/react-router";
import Dashboard from "../features/dashboard/Dashboard";
export const Route = createFileRoute("/")({
component: RouteComponent,
});
function RouteComponent() {
return <div className="">Hello "/"!</div>;
return <Dashboard />;
}

View File

@@ -1,9 +1,10 @@
import { createFileRoute } from "@tanstack/react-router";
import Setup from "../features/setup/Setup";
export const Route = createFileRoute("/setup")({
component: RouteComponent,
});
function RouteComponent() {
return <div className="">Hello "/setup"!</div>;
return <Setup />;
}

89
src/utils/types.ts Normal file
View File

@@ -0,0 +1,89 @@
export type SightingType = {
ref: number;
SaFID: string;
overviewUrl: string;
plateUrlInfrared: string;
plateUrlColour: string;
vrm: string;
vrmSecondary: string;
countryCode: string;
timeStamp: string;
detailsUrl: string;
overviewPlateRect?: [number, number, number, number];
plateTrack?: [number, number, number, number][];
make: string;
model: string;
color: string;
category: string;
charHeight: string;
seenCount: string;
timeStampMillis: number;
motion: string;
debug: string;
srcCam: number;
locationName: string;
laneID: string;
plateSize: string;
overviewSize: string;
radarSpeed: string;
trackSpeed: string;
metadata?: Metadata;
};
export type Metadata = {
npedJSON: NpedJSON;
"hotlist-matches": HotlistMatches;
hotlistMatches: HotlistMatches;
};
export type HotlistMatches = {
Hotlist0: boolean;
Hotlist1: boolean;
Hotlist2: boolean;
};
export type NpedJSON = {
status_code: number;
reason_phrase: string;
"NPED CATEGORY": "A" | "B" | "C" | "D";
"MOT STATUS": boolean;
"TAX STATUS": boolean;
vrm: string;
"INSURANCE STATUS": string;
};
export type CameraSettings = {
mode: number;
imageSize: { width: number; height: number };
};
export type CameraSettingsAction =
| {
type: "SET_MODE";
payload: number;
}
| {
type: "SET_IMAGE_SIZE";
payload: { width: number; height: number };
};
export type CameraStatus = {
id: string;
groupID: string;
tags: string[];
};
export type SystemHealth = {
UptimeHumane: string;
StartTimeHumane: string;
Status: CameraStatus[];
};
export type StoreData = {
totalPending: number;
totalActive: number;
totalSent: number;
totalReceived: number;
totalLost: number;
sanityCheck: boolean;
sanityCheckFormula: string;
};

28
src/utils/utils.ts Normal file
View File

@@ -0,0 +1,28 @@
export const formatNumberPlate = (plate: string) => {
const splittedPlate = plate?.split("");
splittedPlate?.splice(4, 0, " ");
const formattedPlate = splittedPlate?.join("");
return formattedPlate;
};
export const timeAgo = (timestampmili: number | null) => {
if (timestampmili === null) return "unknown";
const diffMs = Date.now() - new Date(timestampmili).getTime();
const diffMins = Math.floor(diffMs / 60000);
if (diffMins < 60) {
if (diffMins < 1) {
return "Just now";
}
return `${diffMins === 1 ? "1 minute" : diffMins + " minutes"} ago`;
} else {
const diffHours = Math.floor(diffMins / 60);
if (diffHours < 1) {
return "just now";
}
return `${diffHours === 1 ? "1 hour" : diffHours + " hours"} ago`;
}
};
export function capitalize(s?: string) {
return s ? s.charAt(0).toUpperCase() + s.slice(1) : "";
}

685
yarn.lock

File diff suppressed because it is too large Load Diff