16 Commits

Author SHA1 Message Date
cbfce837a3 - bumped version to 1.0.28
- bugfix Clamped numbers for sighting store
2026-01-14 12:23:16 +00:00
7016fdf632 - attempted fix on NPED Category 2026-01-13 15:29:04 +00:00
2066552bdc - updated camera friendly names and improve camera settings functionality
- bugfixes for plate sizing
2026-01-12 12:13:56 +00:00
d4271d488e Merge pull request 'develop' (#24) from develop into main
Reviewed-on: #24
2026-01-07 10:08:55 +00:00
104c53c127 Merge pull request 'feature/userReset' (#23) from feature/userReset into develop
Reviewed-on: #23
2026-01-07 09:52:42 +00:00
bec28b91e1 add ResetUserSettings component and integrate it into SystemConfigFields 2026-01-07 09:52:01 +00:00
71e23c7d45 - removed console.log 2026-01-07 09:41:19 +00:00
f9188bb46f - implement user settings reset functionality with modal confirmation
and bug fixes regarding lane IDs to sighting endpoints
2026-01-07 09:39:46 +00:00
f046ae6dfc Merge pull request 'develop' (#22) from develop into main
Reviewed-on: #22
2026-01-06 12:37:48 +00:00
4e5bff60ae - bumped to 1.0.24
- removed stray console.log
2026-01-06 12:37:07 +00:00
4da2e4a975 Merge pull request 'bugfix/feedback-Jan-26' (#21) from bugfix/feedback-Jan-26 into develop
Reviewed-on: #21
2026-01-06 12:29:21 +00:00
ac9b3cc1ea - updated version to 1.0.23, enhance audio file handling, and improve UTC synchronization checks 2026-01-06 12:28:08 +00:00
79e759d811 refactor: clean up unused imports and improve code readability and fixed endpoint to use window location 2025-12-22 15:57:07 +00:00
b79fde777d bump version to 1.0.21 2025-12-22 15:40:53 +00:00
a8ef18d2b9 Merge pull request 'develop' (#20) from develop into main
Reviewed-on: #20
2025-12-22 15:39:22 +00:00
6a1d63d98a Merge pull request 'feature/lastSync' (#19) from feature/lastSync into develop
Reviewed-on: #19
2025-12-22 15:39:02 +00:00
32 changed files with 396 additions and 249 deletions

View File

@@ -1,7 +1,7 @@
{ {
"name": "in-car-system-fe", "name": "in-car-system-fe",
"private": true, "private": true,
"version": "1.0.20", "version": "1.0.28",
"type": "module", "type": "module",
"scripts": { "scripts": {
"dev": "vite", "dev": "vite",

View File

@@ -9,28 +9,25 @@ import { IntegrationsProvider } from "./context/providers/IntegrationsContextPro
import { AlertHitProvider } from "./context/providers/AlertHitProvider"; import { AlertHitProvider } from "./context/providers/AlertHitProvider";
import { SoundProvider } from "react-sounds"; import { SoundProvider } from "react-sounds";
import SoundContextProvider from "./context/providers/SoundContextProvider"; import SoundContextProvider from "./context/providers/SoundContextProvider";
import WebSocketProvider from "./context/providers/WebSocketProvider";
function App() { function App() {
return ( return (
<SoundContextProvider> <SoundContextProvider>
<SoundProvider initialEnabled={true}> <SoundProvider initialEnabled={true}>
<WebSocketProvider> <IntegrationsProvider>
<IntegrationsProvider> <AlertHitProvider>
<AlertHitProvider> <Routes>
<Routes> <Route path="/" element={<Container />}>
<Route path="/" element={<Container />}> <Route index element={<Dashboard />} />
<Route index element={<Dashboard />} /> <Route path="a-camera-settings" element={<FrontCamera />} />
<Route path="a-camera-settings" element={<FrontCamera />} /> <Route path="b-camera-settings" element={<RearCamera />} />
<Route path="b-camera-settings" element={<RearCamera />} /> <Route path="system-settings" element={<SystemSettings />} />
<Route path="system-settings" element={<SystemSettings />} /> <Route path="session-settings" element={<Session />} />
<Route path="session-settings" element={<Session />} /> <Route path="*" element={<Navigate to="/" replace />} />
<Route path="*" element={<Navigate to="/" replace />} /> </Route>
</Route> </Routes>
</Routes> </AlertHitProvider>
</AlertHitProvider> </IntegrationsProvider>
</IntegrationsProvider>
</WebSocketProvider>
</SoundProvider> </SoundProvider>
</SoundContextProvider> </SoundContextProvider>
); );

View File

@@ -1,28 +1,22 @@
import { Formik, Field, Form } from "formik"; import { Formik, Field, Form } from "formik";
import type { CameraConfig, CameraSettingErrorValues, CameraSettingValues, ZoomInOptions } from "../../types/types"; import type { CameraConfig, CameraSettingErrorValues, CameraSettingValues, ZoomInOptions } from "../../types/types";
import { useEffect, useMemo, useState } from "react"; import { useEffect, useMemo } from "react";
import { FontAwesomeIcon } from "@fortawesome/react-fontawesome";
import { faEye, faEyeSlash } from "@fortawesome/free-regular-svg-icons";
import CardHeader from "../UI/CardHeader"; import CardHeader from "../UI/CardHeader";
import { useCameraMode, useCameraZoom } from "../../hooks/useCameraZoom"; import { useCameraMode, useCameraZoom } from "../../hooks/useCameraZoom";
import { capitalize, parseRTSPUrl, reverseZoomMapping, zoomMapping } from "../../utils/utils"; import { capitalize, parseRTSPUrl, reverseZoomMapping, zoomMapping } from "../../utils/utils";
import { useIntegrationsContext } from "../../context/IntegrationsContext";
import { useCameraBlackboard } from "../../hooks/useCameraBlackboard";
import { toast } from "sonner";
type CameraSettingsProps = { type CameraSettingsProps = {
initialData: CameraConfig; initialData: CameraConfig;
updateCameraConfig: (values: CameraSettingValues) => Promise<void> | void;
zoomLevel?: number; zoomLevel?: number;
onZoomLevelChange?: (level: number | undefined) => void; onZoomLevelChange?: (level: number | undefined) => void;
updateCameraConfigError: null | Error;
}; };
const CameraSettingFields = ({ const CameraSettingFields = ({ initialData, zoomLevel, onZoomLevelChange }: CameraSettingsProps) => {
initialData,
updateCameraConfig,
zoomLevel,
onZoomLevelChange,
}: CameraSettingsProps) => {
const [showPwd, setShowPwd] = useState(false);
const cameraControllerSide = initialData?.id === "CameraA" ? "CameraControllerA" : "CameraControllerB"; const cameraControllerSide = initialData?.id === "CameraA" ? "CameraControllerA" : "CameraControllerB";
const { state, dispatch } = useIntegrationsContext();
const { mutation, query } = useCameraZoom({ camera: cameraControllerSide }); const { mutation, query } = useCameraZoom({ camera: cameraControllerSide });
const { cameraModeQuery, cameraModeMutation } = useCameraMode({ camera: cameraControllerSide }); const { cameraModeQuery, cameraModeMutation } = useCameraMode({ camera: cameraControllerSide });
const zoomOptions = [1, 2, 4]; const zoomOptions = [1, 2, 4];
@@ -30,6 +24,8 @@ const CameraSettingFields = ({
const apiZoom = reverseZoomMapping(magnification); const apiZoom = reverseZoomMapping(magnification);
const parsed = parseRTSPUrl(initialData?.propURI?.value); const parsed = parseRTSPUrl(initialData?.propURI?.value);
const cameraMode = cameraModeQuery?.data?.propDayNightMode?.value; const cameraMode = cameraModeQuery?.data?.propDayNightMode?.value;
const friendlyName = initialData?.id === "CameraA" ? state.cameraAFriendlyName : state.cameraBFriendlyName;
const { mutation: blackboardMutation } = useCameraBlackboard();
useEffect(() => { useEffect(() => {
if (!query?.data) return; if (!query?.data) return;
@@ -38,7 +34,7 @@ const CameraSettingFields = ({
const initialValues = useMemo<CameraSettingValues>( const initialValues = useMemo<CameraSettingValues>(
() => ({ () => ({
friendlyName: initialData?.id ?? "", friendlyName: friendlyName,
cameraAddress: initialData?.propURI?.value ?? "", cameraAddress: initialData?.propURI?.value ?? "",
userName: parsed?.username ?? "", userName: parsed?.username ?? "",
password: parsed?.password ?? "", password: parsed?.password ?? "",
@@ -47,7 +43,15 @@ const CameraSettingFields = ({
zoom: apiZoom, zoom: apiZoom,
}), }),
[initialData?.id, initialData?.propURI?.value, parsed?.username, parsed?.password, cameraMode, apiZoom] [
friendlyName,
initialData?.propURI?.value,
initialData?.id,
parsed?.username,
parsed?.password,
cameraMode,
apiZoom,
]
); );
const validateValues = (values: CameraSettingValues) => { const validateValues = (values: CameraSettingValues) => {
@@ -57,8 +61,17 @@ const CameraSettingFields = ({
return errors; return errors;
}; };
const handleSubmit = (values: CameraSettingValues) => { const handleSubmit = async (values: CameraSettingValues) => {
updateCameraConfig(values); const cameraSide = initialData?.id === "CameraA" ? "UPDATE_FRIENDLYNAMEA" : "UPDATE_FRIENDLYNAMEB";
dispatch({ type: cameraSide, payload: values.friendlyName });
const result = await blackboardMutation.mutateAsync({
operation: "INSERT",
path: cameraSide,
value: values.friendlyName,
});
if (result.reason === "OK") {
toast.success("Camera settings updated successfully");
}
}; };
const handleRadioButtonChange = async (levelNumber: number) => { const handleRadioButtonChange = async (levelNumber: number) => {
@@ -101,54 +114,6 @@ const CameraSettingFields = ({
</div> </div>
<div className="flex flex-col space-y-2 relative"> <div className="flex flex-col space-y-2 relative">
<label htmlFor="cameraAddress">Camera Address</label>
{touched.cameraAddress && errors.cameraAddress && (
<small className="absolute right-0 top-0 text-red-500">{errors.cameraAddress}</small>
)}
<Field
id="cameraAddress"
name="cameraAddress"
type="text"
className="p-2 border border-gray-400 rounded-lg"
placeholder="RTSP://..."
/>
</div>
<div className="flex flex-col space-y-2 relative">
<label htmlFor="userName">User Name</label>
{touched.userName && errors.userName && (
<small className="absolute right-0 top-0 text-red-500">{errors.userName}</small>
)}
<Field
id="userName"
name="userName"
type="text"
className="p-2 border border-gray-400 rounded-lg"
placeholder="Enter user name"
autoComplete="username"
/>
</div>
<div className="flex flex-col space-y-2 relative">
<label htmlFor="password">Password</label>
{touched.password && errors.password && (
<small className="absolute right-0 top-0 text-red-500">{errors.password}</small>
)}
<div className="flex gap-2 items-center relative mb-4">
<Field
id="password"
name="password"
type={showPwd ? "text" : "password"}
className="p-2 border border-gray-400 rounded-lg w-full "
placeholder="Enter password"
/>
<FontAwesomeIcon
type="button"
className="absolute right-5 end-0"
onClick={() => setShowPwd((s) => !s)}
icon={showPwd ? faEyeSlash : faEye}
/>
</div>
<div className="my-3"> <div className="my-3">
<CardHeader title="Zoom settings" /> <CardHeader title="Zoom settings" />
<div className="mx-auto grid grid-cols-3 place-items-center"> <div className="mx-auto grid grid-cols-3 place-items-center">
@@ -212,8 +177,12 @@ const CameraSettingFields = ({
</div> </div>
<div className="mt-3"> <div className="mt-3">
{ {
<button type="submit" className="bg-green-700 text-white rounded-lg p-2 mx-auto w-full"> <button
{isSubmitting ? "Saving" : "Save settings"} type="submit"
disabled={isSubmitting}
className="bg-green-700 text-white rounded-lg p-2 mx-auto w-full"
>
{isSubmitting ? "Saving..." : "Save settings"}
</button> </button>
} }
</div> </div>

View File

@@ -15,21 +15,13 @@ const CameraSettings = ({
zoomLevel?: number; zoomLevel?: number;
onZoomLevelChange?: (level: number | undefined) => void; onZoomLevelChange?: (level: number | undefined) => void;
}) => { }) => {
const { data, updateCameraConfig, updateCameraConfigError } = useFetchCameraConfig(side); const { data } = useFetchCameraConfig(side);
return ( return (
<Card className="overflow-x-visible min-h-[40vh] md:min-h-[60vh] lg:w-[40%] p-4"> <Card className="overflow-x-visible min-h-[40vh] md:min-h-[60vh] lg:w-[40%] p-4">
<div className="relative flex flex-col space-y-3"> <div className="relative flex flex-col space-y-3">
<CardHeader title={title} icon={faWrench} /> <CardHeader title={title} icon={faWrench} />
{ {<CameraSettingFields initialData={data} zoomLevel={zoomLevel} onZoomLevelChange={onZoomLevelChange} />}
<CameraSettingFields
initialData={data}
updateCameraConfig={updateCameraConfig}
zoomLevel={zoomLevel}
onZoomLevelChange={onZoomLevelChange}
updateCameraConfigError={updateCameraConfigError}
/>
}
</div> </div>
</Card> </Card>
); );

View File

@@ -18,17 +18,17 @@ const SessionCard = () => {
const sightings = [...new Map(sessionList?.map((vehicle) => [vehicle.vrm, vehicle]))]; const sightings = [...new Map(sessionList?.map((vehicle) => [vehicle.vrm, vehicle]))];
const dedupedSightings = sightings.map((sighting) => sighting[1]); const dedupedSightings = sightings?.map((sighting) => sighting[1]);
const vehicles = dedupedSightings.reduce<Record<string, ReducedSightingType[]>>( const vehicles = dedupedSightings?.reduce<Record<string, ReducedSightingType[]>>(
(acc, item) => { (acc, item) => {
const hotlisthit = Object.values(item.metadata?.hotlistMatches ?? {}).includes(true); const hotlisthit = Object.values(item.metadata?.hotlistMatches ?? {}).includes(true);
if (item.metadata?.npedJSON["NPED CATEGORY"] === "A") acc.npedCatA.push(item); if (item?.metadata?.npedJSON?.["NPED CATEGORY"] === "A") acc.npedCatA.push(item);
if (item.metadata?.npedJSON["NPED CATEGORY"] === "B") acc.npedCatB.push(item); if (item?.metadata?.npedJSON?.["NPED CATEGORY"] === "B") acc.npedCatB.push(item);
if (item.metadata?.npedJSON["NPED CATEGORY"] === "C") acc.npedCatC.push(item); if (item?.metadata?.npedJSON?.["NPED CATEGORY"] === "C") acc.npedCatC.push(item);
if (item.metadata?.npedJSON["NPED CATEGORY"] === "D") acc.npedCatD.push(item); if (item?.metadata?.npedJSON?.["NPED CATEGORY"] === "D") acc.npedCatD.push(item);
if (item.metadata?.npedJSON["TAX STATUS"] === false) acc.notTaxed.push(item); if (item?.metadata?.npedJSON?.["TAX STATUS"] === false) acc.notTaxed.push(item);
if (item.metadata?.npedJSON["MOT STATUS"] === false) acc.notMOT.push(item); if (item?.metadata?.npedJSON?.["MOT STATUS"] === false) acc.notMOT.push(item);
if (hotlisthit) acc.hotlistHit.push(item); if (hotlisthit) acc.hotlistHit.push(item);
acc.vehicles.push(item); acc.vehicles.push(item);
return acc; return acc;

View File

@@ -1,7 +1,7 @@
import { Form, Formik } from "formik"; import { Form, Formik } from "formik";
import BearerTypeCard from "../BearerType/BearerTypeCard"; import BearerTypeCard from "../BearerType/BearerTypeCard";
import ChannelCard from "../Channel1-JSON/ChannelCard"; import ChannelCard from "../Channel1-JSON/ChannelCard";
import { useCameraOutput, useGetDispatcherConfig } from "../../../hooks/useCameraOutput"; import { useCameraOutput, useGetDispatcherConfig, useLaneIds } from "../../../hooks/useCameraOutput";
import type { import type {
BearerTypeFieldType, BearerTypeFieldType,
InitialValuesForm, InitialValuesForm,
@@ -14,25 +14,37 @@ import { useUpdateBackOfficeConfig } from "../../../hooks/useBackOfficeConfig";
import { useFormVaidate } from "../../../hooks/useFormValidate"; import { useFormVaidate } from "../../../hooks/useFormValidate";
import { useSightingAmend } from "../../../hooks/useSightingAmend"; import { useSightingAmend } from "../../../hooks/useSightingAmend";
import StoreCard from "../Store/StoreCard"; import StoreCard from "../Store/StoreCard";
import { useEffect } from "react";
const SettingForms = () => { const SettingForms = () => {
const qc = useQueryClient(); const qc = useQueryClient();
const { dispatcherQuery, dispatcherMutation, backOfficeDispatcherMutation, bof2LandMutation, laneIdQuery } = const { dispatcherQuery, dispatcherMutation, backOfficeDispatcherMutation } = useCameraOutput();
useCameraOutput(); const { laneIdQuery: laneIDAQuery, laneIdMutation: laneIDAMutation } = useLaneIds("A");
const { laneIdQuery: laneIDBQuery, laneIdMutation: laneIDBMutation } = useLaneIds("B");
const { backOfficeMutation } = useUpdateBackOfficeConfig(); const { backOfficeMutation } = useUpdateBackOfficeConfig();
const { bof2ConstantsQuery } = useGetDispatcherConfig(); const { bof2ConstantsQuery } = useGetDispatcherConfig();
const { validateMutation } = useFormVaidate(); const { validateMutation } = useFormVaidate();
const { sightingAmendQuery, sightingAmendMutation } = useSightingAmend(); const { sightingAmendQuery: sightingAmendAQuery, sightingAmendMutation: sightingAmendMutationA } =
useSightingAmend("A");
const { sightingAmendMutation: sightingAmendMutationB } = useSightingAmend("B");
useEffect(() => {
async function fetchData() {
await Promise.all([laneIDAQuery.refetch(), laneIDBQuery.refetch()]);
}
fetchData();
}, [laneIDAQuery, laneIDBQuery]);
const format = dispatcherQuery?.data?.propFormat?.value; const format = dispatcherQuery?.data?.propFormat?.value;
const enabled = dispatcherQuery?.data?.propEnabled?.value; const enabled = dispatcherQuery?.data?.propEnabled?.value;
const sightingQuality = sightingAmendQuery?.data?.propOverviewQuality?.value; const sightingQualityA = sightingAmendAQuery?.data?.propOverviewQuality?.value;
const cropSizeFactor = sightingAmendQuery?.data?.propOverviewImageScaleFactor?.value; const cropSizeFactorA = sightingAmendAQuery?.data?.propOverviewImageScaleFactor?.value;
const laneID = laneIdQuery?.data?.id; const laneIDA = laneIDAQuery?.data?.id;
const LID1 = laneIdQuery?.data?.propLaneID1?.value;
const LID2 = laneIdQuery?.data?.propLaneID2?.value; const LID1 = laneIDAQuery?.data?.propLaneID1?.value;
const LID2 = laneIDBQuery?.data?.propLaneID1?.value;
const FFID = bof2ConstantsQuery?.data?.propFeedIdentifier?.value; const FFID = bof2ConstantsQuery?.data?.propFeedIdentifier?.value;
const SCID = bof2ConstantsQuery?.data?.propSourceIdentifier?.value; const SCID = bof2ConstantsQuery?.data?.propSourceIdentifier?.value;
@@ -50,8 +62,8 @@ const SettingForms = () => {
password: "", password: "",
connectTimeoutSeconds: Number(5), connectTimeoutSeconds: Number(5),
readTimeoutSeconds: Number(15), readTimeoutSeconds: Number(15),
overviewQuality: sightingQuality ?? "HIGH", overviewQuality: sightingQualityA ?? "HIGH",
cropSizeFactor: cropSizeFactor ?? "3/4", cropSizeFactor: cropSizeFactorA ?? "3/4",
// Bof2 - optional constants // Bof2 - optional constants
FFID: FFID ?? "", FFID: FFID ?? "",
@@ -60,7 +72,7 @@ const SettingForms = () => {
GPSFormat: GPSFormat ?? "", GPSFormat: GPSFormat ?? "",
//BOF2 - optional Lane IDs //BOF2 - optional Lane IDs
laneId: laneID ?? "", laneId: laneIDA ?? "",
LID1: LID1 ?? "", LID1: LID1 ?? "",
LID2: LID2 ?? "", LID2: LID2 ?? "",
}; };
@@ -101,7 +113,8 @@ const SettingForms = () => {
if (validResponse?.reason === "OK") { if (validResponse?.reason === "OK") {
await backOfficeMutation.mutateAsync(values); await backOfficeMutation.mutateAsync(values);
await sightingAmendMutation.mutateAsync(values); await sightingAmendMutationA.mutateAsync(values);
await sightingAmendMutationB.mutateAsync(values);
if (values.format.toLowerCase() === "bof2") { if (values.format.toLowerCase() === "bof2") {
const bof2ConstantsData: OptionalBOF2Constants = { const bof2ConstantsData: OptionalBOF2Constants = {
@@ -111,12 +124,17 @@ const SettingForms = () => {
GPSFormat: values.GPSFormat, GPSFormat: values.GPSFormat,
}; };
const bof2LaneData: OptionalBOF2LaneIDs = { const bof2LaneAData: OptionalBOF2LaneIDs = {
laneId: laneIdQuery?.data?.id, laneId: laneIDAQuery?.data?.id,
LID1: values.LID1, LID1: values.LID1,
LID2: values.LID2,
}; };
await bof2LandMutation.mutateAsync(bof2LaneData); const bof2LaneBData: OptionalBOF2LaneIDs = {
laneId: laneIDBQuery?.data?.id,
LID1: values.LID2,
};
await laneIDAMutation.mutateAsync(bof2LaneAData);
await laneIDBMutation.mutateAsync(bof2LaneBData);
await backOfficeDispatcherMutation.mutateAsync(bof2ConstantsData); await backOfficeDispatcherMutation.mutateAsync(bof2ConstantsData);
} }
} else { } else {

View File

@@ -84,15 +84,23 @@ const SoundUpload = () => {
if (currentUrlRef.current) { if (currentUrlRef.current) {
URL.revokeObjectURL(currentUrlRef.current); URL.revokeObjectURL(currentUrlRef.current);
} }
if (e.target?.files && e.target?.files[0]?.type === "audio/mpeg") { const files = e.target?.files;
currentUrlRef.current = URL.createObjectURL(e.target.files[0]); if (
files &&
(files[0]?.type === "audio/mp3" ||
files[0]?.type === "audio/mpeg" ||
files[0]?.name.endsWith(".wav"))
) {
const file = e.target?.files;
if(file === null) return;
currentUrlRef.current = URL.createObjectURL(file[0]);
const url = currentUrlRef.current; const url = currentUrlRef.current;
setFieldValue("soundUrl", url); setFieldValue("soundUrl", url);
setFieldValue("name", e.target.files[0].name); setFieldValue("name", file[0].name);
setFieldValue("soundFileName", e.target.files[0].name); setFieldValue("soundFileName", file[0].name);
setFieldValue("soundFile", e.target.files[0]); setFieldValue("soundFile", file[0]);
setFieldValue("uploadedAt", Date.now()); setFieldValue("uploadedAt", Date.now());
if (e?.target?.files[0]?.size >= 1 * 1024 * 1024) { if (file[0]?.size >= 1 * 1024 * 1024) {
setFieldError("soundFile", "larger than 1mb"); setFieldError("soundFile", "larger than 1mb");
toast.error("File larger than 1MB"); toast.error("File larger than 1MB");
return; return;

View File

@@ -10,17 +10,35 @@ const StoreFields = () => {
const totalReceived = storeQuery?.data?.totalReceived; const totalReceived = storeQuery?.data?.totalReceived;
const totalLost = storeQuery?.data?.totalLost; const totalLost = storeQuery?.data?.totalLost;
const clampedTotalPending = totalPending !== undefined ? Math.max(0, totalPending) : 0;
const clampedTotalActive = totalActive !== undefined ? Math.max(0, totalActive) : 0;
const clampedTotalSent = totalSent !== undefined ? Math.max(0, totalSent) : 0;
const clampedTotalReceived = totalReceived !== undefined ? Math.max(0, totalReceived) : 0;
const clampedTotalLost = totalLost !== undefined ? Math.max(0, totalLost) : 0;
if (storeQuery.isLoading) return <div className="p-4">Loading store data...</div>; if (storeQuery.isLoading) return <div className="p-4">Loading store data...</div>;
if (storeQuery.error) return <div className="p-4">Error: {storeQuery.error.message}</div>; if (storeQuery.error) return <div className="p-4">Error: {storeQuery.error.message}</div>;
return ( return (
<div className="p-4"> <div className="p-4">
<ul className="text-white space-y-3"> <ul className="text-white space-y-3">
<VehicleSessionItem sessionNumber={totalActive} textColour="text-gray-400" vehicleTag={"Total Active:"} /> <VehicleSessionItem
<VehicleSessionItem sessionNumber={totalSent} textColour="text-blue-400" vehicleTag={"Total Sent:"} /> sessionNumber={clampedTotalActive}
<VehicleSessionItem sessionNumber={totalReceived} textColour="text-green-400" vehicleTag={"Total Received:"} /> textColour="text-gray-400"
<VehicleSessionItem sessionNumber={totalPending} textColour="text-amber-400" vehicleTag={"Total Pending:"} /> vehicleTag={"Total Active:"}
<VehicleSessionItem sessionNumber={totalLost} textColour="text-red-400" vehicleTag={"Total Lost:"} /> />
<VehicleSessionItem sessionNumber={clampedTotalSent} textColour="text-blue-400" vehicleTag={"Total Sent:"} />
<VehicleSessionItem
sessionNumber={clampedTotalReceived}
textColour="text-green-400"
vehicleTag={"Total Received:"}
/>
<VehicleSessionItem
sessionNumber={clampedTotalPending}
textColour="text-amber-400"
vehicleTag={"Total Pending:"}
/>
<VehicleSessionItem sessionNumber={clampedTotalLost} textColour="text-red-400" vehicleTag={"Total Lost:"} />
</ul> </ul>
</div> </div>
); );

View File

@@ -5,16 +5,31 @@ import { timezones } from "./timezones";
import SystemFileUpload from "./SystemFileUpload"; import SystemFileUpload from "./SystemFileUpload";
import type { SystemValues, SystemValuesErrors } from "../../../types/types"; import type { SystemValues, SystemValuesErrors } from "../../../types/types";
import { useDNSSettings, useSystemConfig } from "../../../hooks/useSystemConfig"; import { useDNSSettings, useSystemConfig } from "../../../hooks/useSystemConfig";
import { ValidateIPaddress } from "../../../utils/utils"; import { ValidateIPaddress, isUtcOutOfSync } from "../../../utils/utils";
import { toast } from "sonner"; import { toast } from "sonner";
// import { useSystemStatus } from "../../../hooks/useSystemStatus"; import { useSystemStatus } from "../../../hooks/useSystemStatus";
import ResetUserSettings from "./resetUserSettings/ResetUserSettings";
const SystemConfigFields = () => { const SystemConfigFields = () => {
const { saveSystemSettings, systemSettingsData, saveSystemSettingsLoading } = useSystemConfig(); const { saveSystemSettings, systemSettingsData, saveSystemSettingsLoading } = useSystemConfig();
// const { systemStatusQuery } = useSystemStatus(); const { systemStatusQuery } = useSystemStatus();
const { hardRebootMutation } = useReboots(); const { hardRebootMutation } = useReboots();
const { dnsQuery, dnsMutation } = useDNSSettings(); const { dnsQuery, dnsMutation } = useDNSSettings();
if (systemStatusQuery?.isLoading || !systemStatusQuery?.data) {
return <div>Loading...</div>;
}
const utcTime = systemStatusQuery?.data?.SystemStatus?.utctime;
const localDate = systemStatusQuery?.data?.SystemStatus?.localdate;
const localTime = systemStatusQuery?.data?.SystemStatus?.localtime;
const utcOutOfSync = isUtcOutOfSync({
utctime: utcTime,
localdate: localDate,
localtime: localTime,
});
const syncTime = new Date(systemStatusQuery?.data?.SystemStatus?.synctime * 1000).toLocaleString();
const sntpInterval = systemSettingsData?.sntpInterval; const sntpInterval = systemSettingsData?.sntpInterval;
const dnsPrimary = dnsQuery?.data?.propNameServerPrimary?.value; const dnsPrimary = dnsQuery?.data?.propNameServerPrimary?.value;
const dnsSecondary = dnsQuery?.data?.propNameServerSecondary?.value; const dnsSecondary = dnsQuery?.data?.propNameServerSecondary?.value;
@@ -169,6 +184,14 @@ const SystemConfigFields = () => {
autoComplete="off" autoComplete="off"
/> />
</FormGroup> </FormGroup>
<div className="flex flex-col gap-2 w-70">
{utcOutOfSync?.outOfSync ? (
<span className="text-red-800 bg-red-300 border border-red-800 rounded-lg p-2 ">UTC is out of sync</span>
) : (
<span className="text-green-300 bg-green-800 border border-green-600 rounded-lg p-2">UTC is in sync</span>
)}
<p className="mt-2">Last Sync Time: {syncTime}</p>
</div>
<button <button
type="submit" type="submit"
className="w-full md:w-1/4 text-white bg-green-700 hover:bg-green-800 font-small rounded-lg text-sm px-2 py-2.5" className="w-full md:w-1/4 text-white bg-green-700 hover:bg-green-800 font-small rounded-lg text-sm px-2 py-2.5"
@@ -195,6 +218,7 @@ const SystemConfigFields = () => {
> >
{hardRebootMutation.isPending || isSubmitting ? "Rebooting" : "Hardware Reboot"} {hardRebootMutation.isPending || isSubmitting ? "Rebooting" : "Hardware Reboot"}
</button> </button>
<ResetUserSettings />
</Form> </Form>
)} )}
</Formik> </Formik>

View File

@@ -2,6 +2,7 @@ import { useFormikContext } from "formik";
import FormGroup from "../components/FormGroup"; import FormGroup from "../components/FormGroup";
import { toast } from "sonner"; import { toast } from "sonner";
import { useSystemConfig } from "../../../hooks/useSystemConfig"; import { useSystemConfig } from "../../../hooks/useSystemConfig";
import { CAM_BASE } from "../../../utils/config";
type SystemFileUploadProps = { type SystemFileUploadProps = {
name: string; name: string;
@@ -19,7 +20,7 @@ const SystemFileUpload = ({ name, selectedFile }: SystemFileUploadProps) => {
opts: { opts: {
timeoutMs: 30000, timeoutMs: 30000,
fieldName: "upload", fieldName: "upload",
uploadUrl: "http://192.168.75.11/upload/software-update/4", uploadUrl: `${CAM_BASE}/upload/software-update/4`,
}, },
}; };
uploadSettings(settings); uploadSettings(settings);

View File

@@ -0,0 +1,26 @@
import { useState } from "react";
import ResetUserSettingsModal from "./ResetUserSettingsModal";
const ResetUserSettings = () => {
const [isUserSettingsModalOpen, setIsUserSettingsModalOpen] = useState(false);
const handleResetButtonClick = () => {
setIsUserSettingsModalOpen(true);
};
return (
<>
<button
type="button"
onClick={handleResetButtonClick}
className="bg-red-600 text-white px-4 py-2 rounded hover:bg-red-700 transition w-full md:w-[50%]"
>
Reset user settings
</button>
<ResetUserSettingsModal
isUserSettingsModalOpen={isUserSettingsModalOpen}
setIsUserSettingsModalOpen={setIsUserSettingsModalOpen}
/>
</>
);
};
export default ResetUserSettings;

View File

@@ -0,0 +1,68 @@
import { useSoundContext } from "../../../../context/SoundContext";
import { useCameraBlackboard } from "../../../../hooks/useCameraBlackboard";
import ModalComponent from "../../../UI/ModalComponent";
type ResetUserSettingsModalProps = {
isUserSettingsModalOpen: boolean;
setIsUserSettingsModalOpen: (isOpen: boolean) => void;
};
const ResetUserSettingsModal = ({
isUserSettingsModalOpen,
setIsUserSettingsModalOpen,
}: ResetUserSettingsModalProps) => {
const { state, dispatch } = useSoundContext();
const { mutation } = useCameraBlackboard();
const handleClose = () => {
setIsUserSettingsModalOpen(false);
};
const handleResetAll = async () => {
// Logic to reset all user settings goes here
dispatch({ type: "RESET" });
await mutation.mutateAsync({
operation: "INSERT",
path: "soundSettings",
value: state,
});
handleClose();
};
return (
<ModalComponent isModalOpen={isUserSettingsModalOpen} close={handleClose}>
<div className="p-4">
<h2 className="text-xl font-bold mb-4">Reset All User Settings</h2>
<p className="mb-4">Are you sure you want to reset all user settings to their default values?</p>
<p> This action cannot be undone.</p>
<div className="my-4 flex flex-col items-center justify-center rounded-2xl border border-slate-800 bg-slate-900/40 p-10 text-center">
<p className="max-w-md text-slate-300">
This will <span className="font-bold">RESET ALL</span> user settings including{" "}
<span className="text-blue-400">Uploaded user sounds</span> ,
<span className="text-emerald-400"> Hotlist Sound hits</span> and{" "}
<span className="text-amber-600">NPED Sound hits</span>.
{/* It will also reset any customized settings within
the app to their original defaults and Clear out the session data and{" "}
<span className="text-rose-400">alert history sightings.</span> */}
</p>
</div>
<div className="flex justify-end gap-4">
<button
onClick={handleResetAll}
className="bg-red-600 text-white px-4 py-2 rounded hover:bg-red-700 hover:cursor-pointer"
>
Reset
</button>
<button
onClick={handleClose}
className="bg-gray-600 text-white px-4 py-2 rounded hover:bg-gray-700 hover:cursor-pointer "
>
Cancel
</button>
</div>
</div>
</ModalComponent>
);
};
export default ResetUserSettingsModal;

View File

@@ -227,10 +227,6 @@ const SightingModal = ({ isSightingModalOpen, handleClose, sighting, onDelete }:
<dt className="text-gray-300">Motion</dt> <dt className="text-gray-300">Motion</dt>
<dd className="font-medium text-2xl ">{sighting?.motion ?? "-"}</dd> <dd className="font-medium text-2xl ">{sighting?.motion ?? "-"}</dd>
</div> </div>
<div>
<dt className="text-gray-300">Seen Count</dt>
<dd className="font-medium text-2xl">{sighting?.seenCount ?? "-"}</dd>
</div>
{sighting?.make && sighting.make.trim() && sighting.make.toLowerCase() !== "disabled" && ( {sighting?.make && sighting.make.trim() && sighting.make.toLowerCase() !== "disabled" && (
<div> <div>

View File

@@ -198,6 +198,7 @@ export default function SightingHistoryWidget({ className, title }: SightingHist
setSightingModalOpen(false); setSightingModalOpen(false);
setModalQueue((q) => q.slice(1)); setModalQueue((q) => q.slice(1));
}; };
return ( return (
<> <>
<Card className={clsx("overflow-y-auto min-h-[40vh] md:min-h-[60vh] max-h-[80vh] lg:w-[40%] p-4", className)}> <Card className={clsx("overflow-y-auto min-h-[40vh] md:min-h-[60vh] max-h-[80vh] lg:w-[40%] p-4", className)}>
@@ -225,8 +226,13 @@ export default function SightingHistoryWidget({ className, title }: SightingHist
onClick={() => onRowClick(obj)} onClick={() => onRowClick(obj)}
> >
<div className={`flex items-center gap-3 mt-2 justify-between `}> <div className={`flex items-center gap-3 mt-2 justify-between `}>
<div className={`border p-1 `}> <div className={`hidden md:block border p-1 `}>
<img src={obj?.plateUrlColour || BLANK_IMG} height={48} width={200} alt="colour patch" /> <img
src={obj?.plateUrlColour || BLANK_IMG}
className="hidden md:block w-[200px] h-[48px]"
style={{ objectFit: "cover" }}
alt="colour patch"
/>
</div> </div>
{isHotListHit && ( {isHotListHit && (
<img src={HotListImg} alt="hotlistHit" className="h-20 object-contain rounded-md" /> <img src={HotListImg} alt="hotlistHit" className="h-20 object-contain rounded-md" />

View File

@@ -1,5 +1,6 @@
import type React from "react"; import type React from "react";
import Modal from "react-modal"; import Modal from "react-modal";
import clsx from "clsx";
type ModalComponentProps = { type ModalComponentProps = {
isModalOpen: boolean; isModalOpen: boolean;
@@ -12,7 +13,9 @@ const ModalComponent = ({ isModalOpen, children, close }: ModalComponentProps) =
<Modal <Modal
isOpen={isModalOpen} isOpen={isModalOpen}
onRequestClose={close} onRequestClose={close}
className="bg-[#1e2a38] p-3 rounded-lg shadow-lg w-[95%] mt-[2%] md:w-[60%] h-[100%] md:h-[95%] lg:h-[80%] z-[100] overflow-y-hidden border border-gray-500" className={clsx(
"bg-[#1e2a38] p-3 rounded-lg shadow-lg w-[95%] mt-[2%] md:w-[65%] h-[100%] md:h-[98%] lg:h-[80%] z-[100] overflow-y-hidden border border-gray-500"
)}
overlayClassName="fixed inset-0 bg-[#1e2a38]/70 flex justify-center items-start z-100 " overlayClassName="fixed inset-0 bg-[#1e2a38]/70 flex justify-center items-start z-100 "
style={{ style={{
overlay: { overlay: {

View File

@@ -1,33 +0,0 @@
import { createContext, useContext } from "react";
import type { InfoBarData } from "../types/types";
import { ReadyState } from "react-use-websocket";
type InfoSocketState = {
data: InfoBarData | null;
readyState: ReadyState;
sendJson: (msg: unknown) => void;
send?: (msg: string) => void;
};
type heatmapSocketState = {
data: null;
readyState: ReadyState;
sendJson: (msg: unknown) => void;
send?: (msg: string) => void;
};
export type WebsocketContextValue = {
info: InfoSocketState;
heatmap?: heatmapSocketState;
};
export const WebsocketContext = createContext<WebsocketContextValue | null>(null);
const useWebSocketContext = () => {
const ctx = useContext(WebsocketContext);
if (!ctx) throw new Error("useWebSocketContext must be used inside <WebSocketConext.Provider>");
return ctx;
};
export const useInfoBarSocket = () => useWebSocketContext().info;
export const useHeatmapSocket = () => useWebSocketContext().heatmap;

View File

@@ -68,6 +68,30 @@ export const IntegrationsProvider = ({ children }: IntegrationsProviderType) =>
fetchHotlistData(); fetchHotlistData();
}, [query?.data]); }, [query?.data]);
useEffect(() => {
async function fetchCameraNames() {
const cameraAResult = await mutation.mutateAsync({
operation: "VIEW",
path: "UPDATE_FRIENDLYNAMEA",
});
const cameraBResult = await mutation.mutateAsync({
operation: "VIEW",
path: "UPDATE_FRIENDLYNAMEB",
});
if (cameraAResult?.result && typeof cameraAResult.result === "string") {
console.log(cameraAResult?.result);
dispatch({ type: "UPDATE_FRIENDLYNAMEA", payload: cameraAResult.result });
}
if (cameraBResult?.result && typeof cameraBResult.result === "string") {
console.log(cameraBResult?.result);
dispatch({ type: "UPDATE_FRIENDLYNAMEB", payload: cameraBResult.result });
}
}
fetchCameraNames();
}, []);
return ( return (
<IntegrationsContext.Provider <IntegrationsContext.Provider
value={{ value={{

View File

@@ -1,40 +0,0 @@
import { useEffect, useMemo, useState, type ReactNode } from "react";
import type { InfoBarData } from "../../types/types";
import useWebSocket from "react-use-websocket";
import { ws_config } from "../../utils/ws_config";
import { WebsocketContext, type WebsocketContextValue } from "../WebsocketContext";
type WebSocketProviderProps = {
children: ReactNode;
};
const WebSocketProvider = ({ children }: WebSocketProviderProps) => {
const [systemData, setSystemData] = useState<InfoBarData | null>(null);
const infoSocket = useWebSocket(ws_config.infoBar, { share: true, shouldReconnect: () => true });
useEffect(() => {
async function parseData() {
if (infoSocket.lastMessage) {
const text = await infoSocket.lastMessage.data.text();
const data = JSON.parse(text);
setSystemData(data);
}
}
parseData();
}, [infoSocket.lastMessage]);
const value = useMemo<WebsocketContextValue>(
() => ({
info: {
data: systemData,
readyState: infoSocket.readyState,
sendJson: infoSocket.sendJsonMessage,
},
}),
[systemData, infoSocket.readyState, infoSocket.sendJsonMessage]
);
return <WebsocketContext.Provider value={value}>{children}</WebsocketContext.Provider>;
};
export default WebSocketProvider;

View File

@@ -13,6 +13,8 @@ export const initialState = {
catD: false, catD: false,
}, },
hotlistFiles: [], hotlistFiles: [],
cameraAFriendlyName: "Camera A",
cameraBFriendlyName: "Camera B",
}; };
export function reducer(state: NPEDSTATE, action: NPEDACTION) { export function reducer(state: NPEDSTATE, action: NPEDACTION) {
@@ -68,6 +70,18 @@ export function reducer(state: NPEDSTATE, action: NPEDACTION) {
...state, ...state,
hotlistFiles: state.hotlistFiles.filter((hotlist) => hotlist.filename !== action.payload), hotlistFiles: state.hotlistFiles.filter((hotlist) => hotlist.filename !== action.payload),
}; };
case "UPDATE_FRIENDLYNAMEA":
return {
...state,
cameraAFriendlyName: action.payload,
};
case "UPDATE_FRIENDLYNAMEB":
return {
...state,
cameraBFriendlyName: action.payload,
};
default: default:
return { ...state }; return { ...state };
} }

View File

@@ -69,6 +69,8 @@ export function reducer(state: SoundState, action: SoundAction): SoundState {
...state, ...state,
uploadedSound: action.payload, uploadedSound: action.payload,
}; };
case "RESET":
return initialState;
default: default:
return state; return state;
} }

View File

@@ -31,7 +31,7 @@ const updateCamerasideConfig = async (data: { id: string | number; friendlyName:
method: "POST", method: "POST",
body: JSON.stringify(updateConfigPayload), body: JSON.stringify(updateConfigPayload),
}); });
if (!response.ok) throw new Error("Please make sure fields are filled in correctly"); if (!response.ok) throw new Error("Cannot update settings");
}; };
export const useFetchCameraConfig = (cameraSide: string) => { export const useFetchCameraConfig = (cameraSide: string) => {

View File

@@ -78,7 +78,11 @@ const updateBOF2LaneId = async (data: OptionalBOF2LaneIDs) => {
}, },
{ {
property: "propLaneID2", property: "propLaneID2",
value: data?.LID2, value: data?.LID1,
},
{
property: "propLaneID3",
value: data?.LID1,
}, },
], ],
}; };
@@ -91,8 +95,8 @@ const updateBOF2LaneId = async (data: OptionalBOF2LaneIDs) => {
return response.json(); return response.json();
}; };
const getBOF2LaneId = async () => { const getBOF2LaneId = async (cameraID: string) => {
const response = await fetch(`${CAM_BASE}/api/fetch-config?id=SightingAmmendA-lane-ids`); const response = await fetch(`${CAM_BASE}/api/fetch-config?id=SightingAmmend${cameraID}-lane-ids`);
if (!response.ok) throw new Error("Canot get Lane Ids"); if (!response.ok) throw new Error("Canot get Lane Ids");
return response.json(); return response.json();
}; };
@@ -124,16 +128,6 @@ export const useCameraOutput = () => {
}, },
}); });
const bof2LandMutation = useMutation({
mutationKey: ["updateBOF2LaneId"],
mutationFn: updateBOF2LaneId,
});
const laneIdQuery = useQuery({
queryKey: ["getBOF2LaneId"],
queryFn: getBOF2LaneId,
});
useEffect(() => { useEffect(() => {
if (dispatcherQuery.isError) toast.error(dispatcherQuery.error.message); if (dispatcherQuery.isError) toast.error(dispatcherQuery.error.message);
}, [dispatcherQuery?.error?.message, dispatcherQuery.isError]); }, [dispatcherQuery?.error?.message, dispatcherQuery.isError]);
@@ -142,8 +136,6 @@ export const useCameraOutput = () => {
dispatcherQuery, dispatcherQuery,
dispatcherMutation, dispatcherMutation,
backOfficeDispatcherMutation, backOfficeDispatcherMutation,
bof2LandMutation,
laneIdQuery,
}; };
}; };
@@ -155,3 +147,17 @@ export const useGetDispatcherConfig = () => {
return { bof2ConstantsQuery }; return { bof2ConstantsQuery };
}; };
export const useLaneIds = (cameraID: string) => {
const laneIdQuery = useQuery({
queryKey: ["getBOF2LaneId", cameraID],
queryFn: () => getBOF2LaneId(cameraID),
});
const laneIdMutation = useMutation({
mutationKey: ["updateBOF2LaneId", cameraID],
mutationFn: (data: OptionalBOF2LaneIDs) => updateBOF2LaneId(data),
});
return { laneIdQuery, laneIdMutation };
};

View File

@@ -3,7 +3,6 @@ import { CAM_BASE } from "../utils/config";
import { toast } from "sonner"; import { toast } from "sonner";
const camBase = import.meta.env.MODE !== "development" ? CAM_BASE : CAM_BASE; const camBase = import.meta.env.MODE !== "development" ? CAM_BASE : CAM_BASE;
console.log(camBase);
const uploadFile = async (file: File) => { const uploadFile = async (file: File) => {
const form = new FormData(); const form = new FormData();

View File

@@ -2,15 +2,15 @@ import { useMutation, useQuery } from "@tanstack/react-query";
import { CAM_BASE } from "../utils/config"; import { CAM_BASE } from "../utils/config";
import type { InitialValuesForm } from "../types/types"; import type { InitialValuesForm } from "../types/types";
const getSightingAmend = async () => { const getSightingAmend = async (cameraId: string) => {
const response = await fetch(`${CAM_BASE}/api/fetch-config?id=SightingAmmendA`); const response = await fetch(`${CAM_BASE}/api/fetch-config?id=SightingAmmend${cameraId}`);
if (!response.ok) throw new Error("Cannot reach sighting amend endpoint"); if (!response.ok) throw new Error("Cannot reach sighting amend endpoint");
return response.json(); return response.json();
}; };
const updateSightingAmend = async (data: InitialValuesForm) => { const updateSightingAmend = async (data: InitialValuesForm, cameraID: string) => {
const updateSightingAmendPayload = { const updateSightingAmendPayload = {
id: "SightingAmmendA", id: `SightingAmmend${cameraID}`,
fields: [ fields: [
{ {
property: "propOverviewQuality", property: "propOverviewQuality",
@@ -30,15 +30,15 @@ const updateSightingAmend = async (data: InitialValuesForm) => {
return response.json(); return response.json();
}; };
export const useSightingAmend = () => { export const useSightingAmend = (cameraID: string) => {
const sightingAmendQuery = useQuery({ const sightingAmendQuery = useQuery({
queryKey: ["getSightingAmend"], queryKey: ["getSightingAmend"],
queryFn: getSightingAmend, queryFn: () => getSightingAmend(cameraID),
}); });
const sightingAmendMutation = useMutation({ const sightingAmendMutation = useMutation({
mutationKey: ["updateSightingAmend"], mutationKey: ["updateSightingAmend", cameraID],
mutationFn: updateSightingAmend, mutationFn: (data: InitialValuesForm) => updateSightingAmend(data, cameraID),
}); });
return { return {

View File

@@ -1,8 +1,8 @@
import { useEffect, useMemo, useRef, useState } from "react"; import { useEffect, useMemo, useRef, useState } from "react";
import { useFileUpload } from "./useFileUpload";
import { getSoundFileURL } from "../utils/utils"; import { getSoundFileURL } from "../utils/utils";
import type { SoundUploadValue } from "../types/types"; import type { SoundUploadValue } from "../types/types";
import { resolveSoundSource } from "../utils/soundResolver"; import { resolveSoundSource } from "../utils/soundResolver";
import { useGetUploadedFiles } from "./useGetUploadedFiles";
export function useCachedSoundSrc( export function useCachedSoundSrc(
selected: string | undefined, selected: string | undefined,
@@ -13,7 +13,7 @@ export function useCachedSoundSrc(
const resolved = resolveSoundSource(selected, soundOptions); const resolved = resolveSoundSource(selected, soundOptions);
const { query } = useFileUpload({ const { query } = useGetUploadedFiles({
queryKey: resolved?.type === "uploaded" ? [resolved?.url] : undefined, queryKey: resolved?.type === "uploaded" ? [resolved?.url] : undefined,
}); });

View File

@@ -2,19 +2,28 @@ import { useState } from "react";
import CameraSettings from "../components/CameraSettings/CameraSettings"; import CameraSettings from "../components/CameraSettings/CameraSettings";
import OverviewVideoContainer from "../components/FrontCameraSettings/OverviewVideoContainer"; import OverviewVideoContainer from "../components/FrontCameraSettings/OverviewVideoContainer";
import { Toaster } from "sonner"; import { Toaster } from "sonner";
import { useIntegrationsContext } from "../context/IntegrationsContext";
const FrontCamera = () => { const FrontCamera = () => {
const [zoomLevel, setZoomLevel] = useState<number | undefined>(1); const [zoomLevel, setZoomLevel] = useState<number | undefined>(1);
const { state } = useIntegrationsContext();
const friendlyName = state.cameraAFriendlyName || "Camera A";
return ( return (
<div className="mx-auto flex flex-col lg:flex-row gap-2 px-1 sm:px-2 lg:px-0 w-full min-h-screen"> <div className="mx-auto flex flex-col lg:flex-row gap-2 px-1 sm:px-2 lg:px-0 w-full min-h-screen">
<OverviewVideoContainer <OverviewVideoContainer
title={"Camera A"} title={friendlyName}
side="CameraA" side="CameraA"
settingsPage={true} settingsPage={true}
zoomLevel={zoomLevel} zoomLevel={zoomLevel}
onZoomLevelChange={setZoomLevel} onZoomLevelChange={setZoomLevel}
/> />
<CameraSettings title="Camera A Settings" side="CameraA" zoomLevel={zoomLevel} onZoomLevelChange={setZoomLevel} /> <CameraSettings
title={friendlyName + " Settings"}
side="CameraA"
zoomLevel={zoomLevel}
onZoomLevelChange={setZoomLevel}
/>
<Toaster /> <Toaster />
</div> </div>
); );

View File

@@ -2,13 +2,16 @@ import OverviewVideoContainer from "../components/FrontCameraSettings/OverviewVi
import CameraSettings from "../components/CameraSettings/CameraSettings"; import CameraSettings from "../components/CameraSettings/CameraSettings";
import { Toaster } from "sonner"; import { Toaster } from "sonner";
import { useState } from "react"; import { useState } from "react";
import { useIntegrationsContext } from "../context/IntegrationsContext";
const RearCamera = () => { const RearCamera = () => {
const [zoomLevel, setZoomLevel] = useState<number | undefined>(1); const [zoomLevel, setZoomLevel] = useState<number | undefined>(1);
const { state } = useIntegrationsContext();
const friendlyName = state.cameraBFriendlyName || "Camera B";
return ( return (
<div className="mx-auto flex flex-col-reverse lg:flex-row gap-2 px-1 sm:px-2 lg:px-0 w-full min-h-screen"> <div className="mx-auto flex flex-col-reverse lg:flex-row gap-2 px-1 sm:px-2 lg:px-0 w-full min-h-screen">
<CameraSettings <CameraSettings
title="Camera B Settings" title={friendlyName + " Settings"}
side={"CameraB"} side={"CameraB"}
zoomLevel={zoomLevel} zoomLevel={zoomLevel}
onZoomLevelChange={setZoomLevel} onZoomLevelChange={setZoomLevel}

View File

@@ -363,7 +363,11 @@ type UploadedState = {
payload: Blob | undefined; payload: Blob | undefined;
}; };
export type SoundAction = UpdateAction | AddAction | VolumeAction | UploadedState; type ResetAction = {
type: "RESET";
};
export type SoundAction = UpdateAction | AddAction | VolumeAction | UploadedState | ResetAction;
export type WifiSettingValues = { export type WifiSettingValues = {
ssid: string; ssid: string;
password: string; password: string;
@@ -431,6 +435,8 @@ export type NPEDSTATE = {
npedUser: NPEDUser; npedUser: NPEDUser;
iscatEnabled: CategoryPopups; iscatEnabled: CategoryPopups;
hotlistFiles: HotlistFile[]; hotlistFiles: HotlistFile[];
cameraAFriendlyName: string;
cameraBFriendlyName: string;
}; };
export type NPEDACTION = { export type NPEDACTION = {

View File

@@ -1,4 +1,12 @@
export async function getOrCacheBlob(url: string) { export async function getOrCacheBlob(url: string) {
const cacheAvailable = typeof window !== "undefined" && "caches" in window;
if (!cacheAvailable) {
const res = await fetch(url, { cache: "no-store" });
if (!res.ok) throw new Error(`Fetch failed: ${res.status}`);
return await res.blob();
}
const cache = await caches.open("app-sounds-v1"); const cache = await caches.open("app-sounds-v1");
const hit = await cache.match(url); const hit = await cache.match(url);
if (hit) return await hit.blob(); if (hit) return await hit.blob();
@@ -11,6 +19,11 @@ export async function getOrCacheBlob(url: string) {
} }
export async function evictFromCache(url: string) { export async function evictFromCache(url: string) {
const cacheAvailable = typeof window !== "undefined" && "caches" in window;
if (!cacheAvailable) {
return;
}
const cache = await caches.open("app-sounds-v1"); const cache = await caches.open("app-sounds-v1");
await cache.delete(url); await cache.delete(url);
} }

View File

@@ -1,5 +1,4 @@
const rawCamBase = import.meta.env.VITE_AGX_BOX_URL; const rawCamBase = import.meta.env.VITE_CHRIS_BOX_URL;
const environment = import.meta.env.MODE; const environment = import.meta.env.MODE;
export const CAM_BASE = export const CAM_BASE = environment === "development" ? rawCamBase : window.location.origin;
environment === "development" ? rawCamBase : window.location.origin;

View File

@@ -197,3 +197,21 @@ export const ValidateIPaddress = (value: string | undefined) => {
return "Invalid IP address format"; return "Invalid IP address format";
} }
}; };
export function isUtcOutOfSync(
data: {
utctime: number;
localdate: string;
localtime: string;
},
maxDriftMs = 60_000
) {
const utc = new Date(data.utctime);
const [d, m, y] = data.localdate.split("/").map(Number);
const [hh, mm, ss] = data.localtime.split(":").map(Number);
// Construct local Date in devices local timezone
const local = new Date(y, m - 1, d, hh, mm, ss);
const driftMs = Math.abs(utc.getTime() - local.getTime() + utc.getTimezoneOffset() * 60_000);
return { driftMs, outOfSync: driftMs > maxDriftMs };
}

View File

@@ -27,7 +27,7 @@ export default defineConfig({
host: true, host: true,
proxy: { proxy: {
"/api": { "/api": {
target: "http://100.118.196.113:8080", target: "http://100.72.72.70:8080",
changeOrigin: true, changeOrigin: true,
}, },
}, },
@@ -40,3 +40,4 @@ export default defineConfig({
__GIT_TIMESTAMP__: JSON.stringify(gitCommitTimeStamp), __GIT_TIMESTAMP__: JSON.stringify(gitCommitTimeStamp),
}, },
}); });
// Previous target: "http://100.118.196.113:8080",