Merge branch 'dev' into updated-documentation

This commit is contained in:
Rui Alves 2024-10-16 16:24:47 +01:00
commit dda820f4f1
9 changed files with 184 additions and 75 deletions

View File

@ -1,3 +1,4 @@
#!/bin/bash #!/bin/bash
set -euxo pipefail set -euxo pipefail

View File

@ -1,29 +1,101 @@
import { createContext, useContext, useEffect, useState } from "react";
import { createPortal } from "react-dom";
import { motion, AnimatePresence } from "framer-motion";
import { IoMdArrowRoundBack } from "react-icons/io";
import { cn } from "@/lib/utils"; import { cn } from "@/lib/utils";
import { isPWA } from "@/utils/isPWA"; import { isPWA } from "@/utils/isPWA";
import { ReactNode, useEffect, useState } from "react"; import { Button } from "@/components/ui/button";
import { Button } from "../ui/button";
import { IoMdArrowRoundBack } from "react-icons/io";
import { motion, AnimatePresence } from "framer-motion";
type MobilePageProps = { const MobilePageContext = createContext<{
children: ReactNode;
open: boolean; open: boolean;
onOpenChange: (open: boolean) => void; onOpenChange: (open: boolean) => void;
} | null>(null);
type MobilePageProps = {
children: React.ReactNode;
open?: boolean;
onOpenChange?: (open: boolean) => void;
}; };
export function MobilePage({ children, open, onOpenChange }: MobilePageProps) { export function MobilePage({
const [isVisible, setIsVisible] = useState(open); children,
open: controlledOpen,
onOpenChange,
}: MobilePageProps) {
const [uncontrolledOpen, setUncontrolledOpen] = useState(false);
const open = controlledOpen ?? uncontrolledOpen;
const setOpen = onOpenChange ?? setUncontrolledOpen;
return (
<MobilePageContext.Provider value={{ open, onOpenChange: setOpen }}>
{children}
</MobilePageContext.Provider>
);
}
type MobilePageTriggerProps = React.HTMLAttributes<HTMLDivElement>;
export function MobilePageTrigger({
children,
...props
}: MobilePageTriggerProps) {
const context = useContext(MobilePageContext);
if (!context)
throw new Error("MobilePageTrigger must be used within MobilePage");
return (
<div onClick={() => context.onOpenChange(true)} {...props}>
{children}
</div>
);
}
type MobilePagePortalProps = {
children: React.ReactNode;
container?: HTMLElement;
};
export function MobilePagePortal({
children,
container,
}: MobilePagePortalProps) {
const [mounted, setMounted] = useState(false);
useEffect(() => { useEffect(() => {
if (open) { setMounted(true);
return () => setMounted(false);
}, []);
if (!mounted) return null;
return createPortal(children, container || document.body);
}
type MobilePageContentProps = {
children: React.ReactNode;
className?: string;
};
export function MobilePageContent({
children,
className,
}: MobilePageContentProps) {
const context = useContext(MobilePageContext);
if (!context)
throw new Error("MobilePageContent must be used within MobilePage");
const [isVisible, setIsVisible] = useState(context.open);
useEffect(() => {
if (context.open) {
setIsVisible(true); setIsVisible(true);
} }
}, [open]); }, [context.open]);
const handleAnimationComplete = () => { const handleAnimationComplete = () => {
if (!open) { if (!context.open) {
setIsVisible(false); setIsVisible(false);
onOpenChange(false);
} }
}; };
@ -35,9 +107,10 @@ export function MobilePage({ children, open, onOpenChange }: MobilePageProps) {
"fixed inset-0 z-50 mb-12 bg-background", "fixed inset-0 z-50 mb-12 bg-background",
isPWA && "mb-16", isPWA && "mb-16",
"landscape:mb-14 landscape:md:mb-16", "landscape:mb-14 landscape:md:mb-16",
className,
)} )}
initial={{ x: "100%" }} initial={{ x: "100%" }}
animate={{ x: open ? 0 : "100%" }} animate={{ x: context.open ? 0 : "100%" }}
exit={{ x: "100%" }} exit={{ x: "100%" }}
transition={{ type: "spring", damping: 25, stiffness: 200 }} transition={{ type: "spring", damping: 25, stiffness: 200 }}
onAnimationComplete={handleAnimationComplete} onAnimationComplete={handleAnimationComplete}
@ -49,37 +122,8 @@ export function MobilePage({ children, open, onOpenChange }: MobilePageProps) {
); );
} }
type MobileComponentProps = {
children: ReactNode;
className?: string;
};
export function MobilePageContent({
children,
className,
...props
}: MobileComponentProps) {
return (
<div className={cn("size-full", className)} {...props}>
{children}
</div>
);
}
export function MobilePageDescription({
children,
className,
...props
}: MobileComponentProps) {
return (
<p className={cn("text-sm text-muted-foreground", className)} {...props}>
{children}
</p>
);
}
interface MobilePageHeaderProps extends React.HTMLAttributes<HTMLDivElement> { interface MobilePageHeaderProps extends React.HTMLAttributes<HTMLDivElement> {
onClose: () => void; onClose?: () => void;
} }
export function MobilePageHeader({ export function MobilePageHeader({
@ -88,6 +132,18 @@ export function MobilePageHeader({
onClose, onClose,
...props ...props
}: MobilePageHeaderProps) { }: MobilePageHeaderProps) {
const context = useContext(MobilePageContext);
if (!context)
throw new Error("MobilePageHeader must be used within MobilePage");
const handleClose = () => {
if (onClose) {
onClose();
} else {
context.onOpenChange(false);
}
};
return ( return (
<div <div
className={cn( className={cn(
@ -99,7 +155,7 @@ export function MobilePageHeader({
<Button <Button
className="absolute left-0 rounded-lg" className="absolute left-0 rounded-lg"
size="sm" size="sm"
onClick={onClose} onClick={handleClose}
> >
<IoMdArrowRoundBack className="size-5 text-secondary-foreground" /> <IoMdArrowRoundBack className="size-5 text-secondary-foreground" />
</Button> </Button>
@ -108,14 +164,19 @@ export function MobilePageHeader({
); );
} }
export function MobilePageTitle({ type MobilePageTitleProps = React.HTMLAttributes<HTMLHeadingElement>;
children,
export function MobilePageTitle({ className, ...props }: MobilePageTitleProps) {
return <h2 className={cn("text-lg font-semibold", className)} {...props} />;
}
type MobilePageDescriptionProps = React.HTMLAttributes<HTMLParagraphElement>;
export function MobilePageDescription({
className, className,
...props ...props
}: MobileComponentProps) { }: MobilePageDescriptionProps) {
return ( return (
<h2 className={cn("text-lg font-semibold", className)} {...props}> <p className={cn("text-sm text-muted-foreground", className)} {...props} />
{children}
</h2>
); );
} }

View File

@ -150,7 +150,14 @@ export default function SearchDetailDialog({
const Description = isDesktop ? DialogDescription : MobilePageDescription; const Description = isDesktop ? DialogDescription : MobilePageDescription;
return ( return (
<Overlay open={isOpen} onOpenChange={() => setIsOpen(!isOpen)}> <Overlay
open={isOpen}
onOpenChange={() => {
if (search) {
setSearch(undefined);
}
}}
>
<Content <Content
className={cn( className={cn(
"scrollbar-container overflow-y-auto", "scrollbar-container overflow-y-auto",

View File

@ -2,7 +2,9 @@ import {
MobilePage, MobilePage,
MobilePageContent, MobilePageContent,
MobilePageHeader, MobilePageHeader,
MobilePagePortal,
MobilePageTitle, MobilePageTitle,
MobilePageTrigger,
} from "@/components/mobile/MobilePage"; } from "@/components/mobile/MobilePage";
import { Drawer, DrawerContent, DrawerTrigger } from "@/components/ui/drawer"; import { Drawer, DrawerContent, DrawerTrigger } from "@/components/ui/drawer";
import { import {
@ -79,9 +81,11 @@ export function PlatformAwareSheet({
}: PlatformAwareSheetProps) { }: PlatformAwareSheetProps) {
if (isMobile) { if (isMobile) {
return ( return (
<div> <MobilePage open={open} onOpenChange={onOpenChange}>
<div onClick={() => onOpenChange(true)}>{trigger}</div> <MobilePageTrigger onClick={() => onOpenChange(true)}>
<MobilePage open={open} onOpenChange={onOpenChange}> {trigger}
</MobilePageTrigger>
<MobilePagePortal>
<MobilePageContent className="h-full overflow-hidden"> <MobilePageContent className="h-full overflow-hidden">
<MobilePageHeader <MobilePageHeader
className="mx-2" className="mx-2"
@ -91,8 +95,8 @@ export function PlatformAwareSheet({
</MobilePageHeader> </MobilePageHeader>
<div className={contentClassName}>{content}</div> <div className={contentClassName}>{content}</div>
</MobilePageContent> </MobilePageContent>
</MobilePage> </MobilePagePortal>
</div> </MobilePage>
); );
} }

View File

@ -20,7 +20,7 @@ import {
FormMessage, FormMessage,
} from "@/components/ui/form"; } from "@/components/ui/form";
import { useCallback, useEffect, useMemo } from "react"; import { useCallback, useEffect, useMemo } from "react";
import { ATTRIBUTE_LABELS, FrigateConfig } from "@/types/frigateConfig"; import { FrigateConfig } from "@/types/frigateConfig";
import useSWR from "swr"; import useSWR from "swr";
import { zodResolver } from "@hookform/resolvers/zod"; import { zodResolver } from "@hookform/resolvers/zod";
import { useForm } from "react-hook-form"; import { useForm } from "react-hook-form";
@ -37,6 +37,7 @@ import axios from "axios";
import { toast } from "sonner"; import { toast } from "sonner";
import { Toaster } from "../ui/sonner"; import { Toaster } from "../ui/sonner";
import ActivityIndicator from "../indicators/activity-indicator"; import ActivityIndicator from "../indicators/activity-indicator";
import { getAttributeLabels } from "@/utils/iconUtil";
type ObjectMaskEditPaneProps = { type ObjectMaskEditPaneProps = {
polygons?: Polygon[]; polygons?: Polygon[];
@ -367,6 +368,14 @@ type ZoneObjectSelectorProps = {
export function ZoneObjectSelector({ camera }: ZoneObjectSelectorProps) { export function ZoneObjectSelector({ camera }: ZoneObjectSelectorProps) {
const { data: config } = useSWR<FrigateConfig>("config"); const { data: config } = useSWR<FrigateConfig>("config");
const attributeLabels = useMemo(() => {
if (!config) {
return [];
}
return getAttributeLabels(config);
}, [config]);
const cameraConfig = useMemo(() => { const cameraConfig = useMemo(() => {
if (config && camera) { if (config && camera) {
return config.cameras[camera]; return config.cameras[camera];
@ -382,20 +391,20 @@ export function ZoneObjectSelector({ camera }: ZoneObjectSelectorProps) {
Object.values(config.cameras).forEach((camera) => { Object.values(config.cameras).forEach((camera) => {
camera.objects.track.forEach((label) => { camera.objects.track.forEach((label) => {
if (!ATTRIBUTE_LABELS.includes(label)) { if (!attributeLabels.includes(label)) {
labels.add(label); labels.add(label);
} }
}); });
}); });
cameraConfig.objects.track.forEach((label) => { cameraConfig.objects.track.forEach((label) => {
if (!ATTRIBUTE_LABELS.includes(label)) { if (!attributeLabels.includes(label)) {
labels.add(label); labels.add(label);
} }
}); });
return [...labels].sort(); return [...labels].sort();
}, [config, cameraConfig]); }, [config, cameraConfig, attributeLabels]);
return ( return (
<> <>

View File

@ -12,7 +12,7 @@ import {
} from "@/components/ui/form"; } from "@/components/ui/form";
import { Input } from "@/components/ui/input"; import { Input } from "@/components/ui/input";
import { useCallback, useEffect, useMemo, useState } from "react"; import { useCallback, useEffect, useMemo, useState } from "react";
import { ATTRIBUTE_LABELS, FrigateConfig } from "@/types/frigateConfig"; import { FrigateConfig } from "@/types/frigateConfig";
import useSWR from "swr"; import useSWR from "swr";
import { zodResolver } from "@hookform/resolvers/zod"; import { zodResolver } from "@hookform/resolvers/zod";
import { useForm } from "react-hook-form"; import { useForm } from "react-hook-form";
@ -28,6 +28,7 @@ import { Toaster } from "@/components/ui/sonner";
import { toast } from "sonner"; import { toast } from "sonner";
import { flattenPoints, interpolatePoints } from "@/utils/canvasUtil"; import { flattenPoints, interpolatePoints } from "@/utils/canvasUtil";
import ActivityIndicator from "../indicators/activity-indicator"; import ActivityIndicator from "../indicators/activity-indicator";
import { getAttributeLabels } from "@/utils/iconUtil";
type ZoneEditPaneProps = { type ZoneEditPaneProps = {
polygons?: Polygon[]; polygons?: Polygon[];
@ -505,6 +506,14 @@ export function ZoneObjectSelector({
}: ZoneObjectSelectorProps) { }: ZoneObjectSelectorProps) {
const { data: config } = useSWR<FrigateConfig>("config"); const { data: config } = useSWR<FrigateConfig>("config");
const attributeLabels = useMemo(() => {
if (!config) {
return [];
}
return getAttributeLabels(config);
}, [config]);
const cameraConfig = useMemo(() => { const cameraConfig = useMemo(() => {
if (config && camera) { if (config && camera) {
return config.cameras[camera]; return config.cameras[camera];
@ -519,7 +528,7 @@ export function ZoneObjectSelector({
const labels = new Set<string>(); const labels = new Set<string>();
cameraConfig.objects.track.forEach((label) => { cameraConfig.objects.track.forEach((label) => {
if (!ATTRIBUTE_LABELS.includes(label)) { if (!attributeLabels.includes(label)) {
labels.add(label); labels.add(label);
} }
}); });
@ -527,7 +536,7 @@ export function ZoneObjectSelector({
if (zoneName) { if (zoneName) {
if (cameraConfig.zones[zoneName]) { if (cameraConfig.zones[zoneName]) {
cameraConfig.zones[zoneName].objects.forEach((label) => { cameraConfig.zones[zoneName].objects.forEach((label) => {
if (!ATTRIBUTE_LABELS.includes(label)) { if (!attributeLabels.includes(label)) {
labels.add(label); labels.add(label);
} }
}); });
@ -535,7 +544,7 @@ export function ZoneObjectSelector({
} }
return [...labels].sort() || []; return [...labels].sort() || [];
}, [config, cameraConfig, zoneName]); }, [config, cameraConfig, attributeLabels, zoneName]);
const [currentLabels, setCurrentLabels] = useState<string[] | undefined>( const [currentLabels, setCurrentLabels] = useState<string[] | undefined>(
selectedLabels, selectedLabels,

View File

@ -3,7 +3,7 @@ import {
useInitialCameraState, useInitialCameraState,
useMotionActivity, useMotionActivity,
} from "@/api/ws"; } from "@/api/ws";
import { ATTRIBUTE_LABELS, CameraConfig } from "@/types/frigateConfig"; import { CameraConfig, FrigateConfig } from "@/types/frigateConfig";
import { MotionData, ReviewSegment } from "@/types/review"; import { MotionData, ReviewSegment } from "@/types/review";
import { useCallback, useEffect, useMemo, useState } from "react"; import { useCallback, useEffect, useMemo, useState } from "react";
import { useTimelineUtils } from "./use-timeline-utils"; import { useTimelineUtils } from "./use-timeline-utils";
@ -11,6 +11,8 @@ import { ObjectType } from "@/types/ws";
import useDeepMemo from "./use-deep-memo"; import useDeepMemo from "./use-deep-memo";
import { isEqual } from "lodash"; import { isEqual } from "lodash";
import { useAutoFrigateStats } from "./use-stats"; import { useAutoFrigateStats } from "./use-stats";
import useSWR from "swr";
import { getAttributeLabels } from "@/utils/iconUtil";
type useCameraActivityReturn = { type useCameraActivityReturn = {
activeTracking: boolean; activeTracking: boolean;
@ -23,6 +25,16 @@ export function useCameraActivity(
camera: CameraConfig, camera: CameraConfig,
revalidateOnFocus: boolean = true, revalidateOnFocus: boolean = true,
): useCameraActivityReturn { ): useCameraActivityReturn {
const { data: config } = useSWR<FrigateConfig>("config", {
revalidateOnFocus: false,
});
const attributeLabels = useMemo(() => {
if (!config) {
return [];
}
return getAttributeLabels(config);
}, [config]);
const [objects, setObjects] = useState<ObjectType[]>([]); const [objects, setObjects] = useState<ObjectType[]>([]);
// init camera activity // init camera activity
@ -99,7 +111,7 @@ export function useCameraActivity(
if (updatedEvent.after.sub_label) { if (updatedEvent.after.sub_label) {
const sub_label = updatedEvent.after.sub_label[0]; const sub_label = updatedEvent.after.sub_label[0];
if (ATTRIBUTE_LABELS.includes(sub_label)) { if (attributeLabels.includes(sub_label)) {
label = sub_label; label = sub_label;
} else { } else {
label = `${label}-verified`; label = `${label}-verified`;
@ -113,7 +125,7 @@ export function useCameraActivity(
} }
handleSetObjects(newObjects); handleSetObjects(newObjects);
}, [camera, updatedEvent, objects, handleSetObjects]); }, [attributeLabels, camera, updatedEvent, objects, handleSetObjects]);
// determine if camera is offline // determine if camera is offline

View File

@ -19,14 +19,6 @@ export interface BirdseyeConfig {
width: number; width: number;
} }
export const ATTRIBUTE_LABELS = [
"amazon",
"face",
"fedex",
"license_plate",
"ups",
];
export type SearchModelSize = "small" | "large"; export type SearchModelSize = "small" | "large";
export interface CameraConfig { export interface CameraConfig {

View File

@ -1,4 +1,5 @@
import { IconName } from "@/components/icons/IconPicker"; import { IconName } from "@/components/icons/IconPicker";
import { FrigateConfig } from "@/types/frigateConfig";
import { BsPersonWalking } from "react-icons/bs"; import { BsPersonWalking } from "react-icons/bs";
import { import {
FaAmazon, FaAmazon,
@ -36,6 +37,19 @@ import { LuBox, LuLassoSelect } from "react-icons/lu";
import * as LuIcons from "react-icons/lu"; import * as LuIcons from "react-icons/lu";
import { MdRecordVoiceOver } from "react-icons/md"; import { MdRecordVoiceOver } from "react-icons/md";
export function getAttributeLabels(config?: FrigateConfig) {
if (!config) {
return [];
}
const labels = new Set();
Object.values(config.model.attributes_map).forEach((values) =>
values.forEach((label) => labels.add(label)),
);
return [...labels];
}
export function isValidIconName(value: string): value is IconName { export function isValidIconName(value: string): value is IconName {
return Object.keys(LuIcons).includes(value as IconName); return Object.keys(LuIcons).includes(value as IconName);
} }