import { useEffect, useRef, useState } from 'react'; import { DndContext, DragOverlay, PointerSensor, closestCenter, useSensor, useSensors, type DragStartEvent, type DragEndEvent, } from '@dnd-kit/core'; import { SortableContext, horizontalListSortingStrategy, arrayMove } from '@dnd-kit/sortable'; import { toast } from 'sonner'; import { useRackStore } from '../../store/useRackStore'; import { apiClient } from '../../api/client'; import { RackToolbar } from './RackToolbar'; import { RackColumn } from './RackColumn'; import { DevicePalette } from './DevicePalette'; import { AddModuleModal } from '../modals/AddModuleModal'; import { RackSkeleton } from '../ui/Skeleton'; import type { ModuleType } from '../../types'; import { MODULE_TYPE_COLORS, MODULE_TYPE_LABELS } from '../../lib/constants'; import { cn } from '../../lib/utils'; interface PendingDrop { rackId: string; uPosition: number; type: ModuleType; } interface HoverSlot { rackId: string; uPosition: number; } function DragOverlayItem({ type }: { type: ModuleType }) { const colors = MODULE_TYPE_COLORS[type]; return (
{MODULE_TYPE_LABELS[type]}
); } function ModuleDragOverlay({ label }: { label: string }) { return (
{label}
); } /** * Resolve which rack slot (if any) is under the pointer during a drag. * * Strategy: elementFromPoint at the current pointer coordinates. * - All ModuleBlocks get pointer-events:none via the body.rack-dragging CSS rule, * so elementFromPoint sees through them to the slot element beneath. * - DragOverlay has pointer-events:none natively (dnd-kit). * - RackSlot divs carry data-rack-id / data-u-pos attributes that we read here. */ function resolveSlotFromPoint(clientX: number, clientY: number): HoverSlot | null { const el = document.elementFromPoint(clientX, clientY); if (!el) return null; const slotEl = el.closest('[data-rack-id][data-u-pos]') as HTMLElement | null; if (!slotEl) return null; const rackId = slotEl.dataset.rackId; const uPos = parseInt(slotEl.dataset.uPos ?? '', 10); if (!rackId || isNaN(uPos)) return null; return { rackId, uPosition: uPos }; } const POINTER_SENSOR_OPTIONS = { activationConstraint: { distance: 6 }, }; export function RackPlanner() { const { racks, loading, fetchRacks, moveModule } = useRackStore(); const canvasRef = useRef(null); // Drag state const [activePaletteType, setActivePaletteType] = useState(null); const [activeDragModuleLabel, setActiveDragModuleLabel] = useState(null); const [draggingModuleId, setDraggingModuleId] = useState(null); const [pendingDrop, setPendingDrop] = useState(null); // hoverSlot drives the blue highlight on slots during drag. // hoverSlotRef is the reliable read-path inside async handleDragEnd // (avoids stale-closure issues with state). const [hoverSlot, setHoverSlot] = useState(null); const hoverSlotRef = useRef(null); // Tracks whether ANY module/palette drag is in progress — used to // activate the body.rack-dragging CSS class and the pointermove listener. const isDraggingAnyRef = useRef(false); function updateHoverSlot(slot: HoverSlot | null) { hoverSlotRef.current = slot; setHoverSlot(slot); } const sensors = useSensors( useSensor(PointerSensor, POINTER_SENSOR_OPTIONS) ); useEffect(() => { fetchRacks().catch(() => toast.error('Failed to load racks')); }, [fetchRacks]); /** * Native pointermove listener registered once on mount. * Only runs while isDraggingAnyRef is true — gives us the exact cursor * position without any reconstruction arithmetic, so resolveSlotFromPoint * is always called with accurate coordinates. */ useEffect(() => { function onPointerMove(e: PointerEvent) { if (!isDraggingAnyRef.current) return; const slot = resolveSlotFromPoint(e.clientX, e.clientY); const prev = hoverSlotRef.current; if (prev?.rackId !== slot?.rackId || prev?.uPosition !== slot?.uPosition) { hoverSlotRef.current = slot; setHoverSlot(slot); } } // Capture phase so we get the event before any element can stop propagation. window.addEventListener('pointermove', onPointerMove, { capture: true }); return () => window.removeEventListener('pointermove', onPointerMove, { capture: true }); }, []); function handleDragStart(event: DragStartEvent) { const data = event.active.data.current as Record; if (data?.dragType === 'palette') { setActivePaletteType(data.type as ModuleType); isDraggingAnyRef.current = true; document.body.classList.add('rack-dragging'); } else if (data?.dragType === 'module') { setDraggingModuleId(data.moduleId as string); setActiveDragModuleLabel(data.label as string); isDraggingAnyRef.current = true; document.body.classList.add('rack-dragging'); } updateHoverSlot(null); } async function handleDragEnd(event: DragEndEvent) { const { active, over } = event; // Stop native hover tracking and remove body class FIRST isDraggingAnyRef.current = false; document.body.classList.remove('rack-dragging'); // Capture hoverSlot BEFORE resetting state const slot = hoverSlotRef.current; setActivePaletteType(null); setActiveDragModuleLabel(null); setDraggingModuleId(null); updateHoverSlot(null); const dragData = active.data.current as Record; // --- Palette → slot: open AddModuleModal pre-filled --- if (dragData?.dragType === 'palette' && slot) { setPendingDrop({ type: dragData.type as ModuleType, rackId: slot.rackId, uPosition: slot.uPosition, }); return; } // --- Module → slot: move the module --- if (dragData?.dragType === 'module' && slot) { const moduleId = dragData.moduleId as string; // No-op if dropped on own position if (dragData.fromRackId === slot.rackId && dragData.fromUPosition === slot.uPosition) return; try { await moveModule(moduleId, slot.rackId, slot.uPosition); toast.success('Module moved'); } catch (err) { toast.error(err instanceof Error ? err.message : 'Move failed'); } return; } // --- Rack header → rack header: reorder racks --- if (!over) return; const dropData = over.data.current as Record | undefined; if (dragData?.dragType === 'rack' && dropData?.dragType === 'rack') { const oldIndex = racks.findIndex((r) => r.id === active.id); const newIndex = racks.findIndex((r) => r.id === over.id); if (oldIndex === newIndex) return; const reordered = arrayMove(racks, oldIndex, newIndex); try { await Promise.all( reordered.map((rack, idx) => rack.displayOrder !== idx ? apiClient.racks.update(rack.id, { displayOrder: idx }) : Promise.resolve(rack) ) ); await fetchRacks(); } catch { toast.error('Failed to save rack order'); await fetchRacks(); } } } const rackIds = racks.map((r) => r.id); return (
{loading ? ( ) : racks.length === 0 ? (

No racks yet

Click Add Rack in the toolbar to create your first rack.

) : (
{racks.map((rack) => ( ))}
)}
{activePaletteType && } {activeDragModuleLabel && } {pendingDrop && ( setPendingDrop(null)} rackId={pendingDrop.rackId} uPosition={pendingDrop.uPosition} initialType={pendingDrop.type} /> )}
); }