Files
rack-planner/client/src/components/rack/RackPlanner.tsx

239 lines
8.5 KiB
TypeScript
Raw Normal View History

import { useEffect, useRef, useState } from 'react';
import {
DndContext,
DragOverlay,
PointerSensor,
pointerWithin,
closestCenter,
useSensor,
useSensors,
type DragStartEvent,
type DragEndEvent,
type CollisionDetection,
} 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;
}
function DragOverlayItem({ type }: { type: ModuleType }) {
const colors = MODULE_TYPE_COLORS[type];
return (
<div
className={cn(
'px-3 py-1.5 rounded border text-xs font-semibold text-white shadow-2xl opacity-90 pointer-events-none',
colors.bg,
colors.border
)}
>
{MODULE_TYPE_LABELS[type]}
</div>
);
}
function ModuleDragOverlay({ label }: { label: string }) {
return (
<div className="px-3 py-1.5 rounded border bg-slate-600 border-slate-400 text-xs font-semibold text-white shadow-2xl opacity-90 pointer-events-none">
{label}
</div>
);
}
/**
* Collision detection strategy:
*
* Problem: SortableContext registers each rack column as a droppable. Columns
* are ~1800px tall; individual slots are 44px. Default closestCenter picks the
* column centre over any slot centre. pointerWithin returns multiple matches
* sorted by registration order (columns register before their child slots), so
* the rack column still wins.
*
* Fix:
* 1. First try pointerWithin restricted to ONLY elements whose data has
* dropType === 'slot'. This is an exact hit-test against the 44px slot rects.
* 2. Fall back to closestCenter over ALL droppables so rack-header reorder
* (which needs the sortable rack targets) still works.
*/
const slotFirstCollision: CollisionDetection = (args) => {
// Restrict to slot droppables only
const slotContainers = args.droppableContainers.filter(
(c) => c.data.current?.dropType === 'slot'
);
if (slotContainers.length > 0) {
const slotHits = pointerWithin({ ...args, droppableContainers: slotContainers });
if (slotHits.length > 0) return slotHits;
}
// Nothing hit a slot — use full closestCenter for rack reorder
return closestCenter(args);
};
export function RackPlanner() {
const { racks, loading, fetchRacks, moveModule, updateRack } = useRackStore();
const canvasRef = useRef<HTMLDivElement>(null);
// Drag state
const [activePaletteType, setActivePaletteType] = useState<ModuleType | null>(null);
const [activeDragModuleLabel, setActiveDragModuleLabel] = useState<string | null>(null);
const [draggingModuleId, setDraggingModuleId] = useState<string | null>(null);
const [pendingDrop, setPendingDrop] = useState<PendingDrop | null>(null);
const sensors = useSensors(
useSensor(PointerSensor, { activationConstraint: { distance: 6 } })
);
useEffect(() => {
fetchRacks().catch(() => toast.error('Failed to load racks'));
}, [fetchRacks]);
function handleDragStart(event: DragStartEvent) {
const data = event.active.data.current as Record<string, unknown>;
if (data?.dragType === 'palette') {
setActivePaletteType(data.type as ModuleType);
} else if (data?.dragType === 'module') {
setDraggingModuleId(data.moduleId as string);
setActiveDragModuleLabel(data.label as string);
}
}
async function handleDragEnd(event: DragEndEvent) {
const { active, over } = event;
setActivePaletteType(null);
setActiveDragModuleLabel(null);
setDraggingModuleId(null);
if (!over) return;
const dragData = active.data.current as Record<string, unknown>;
const dropData = over.data.current as Record<string, unknown> | undefined;
// --- Palette → slot: open AddModuleModal pre-filled ---
if (dragData?.dragType === 'palette' && dropData?.dropType === 'slot') {
setPendingDrop({
type: dragData.type as ModuleType,
rackId: dropData.rackId as string,
uPosition: dropData.uPosition as number,
});
return;
}
// --- Module → slot: move the module ---
if (dragData?.dragType === 'module' && dropData?.dropType === 'slot') {
const moduleId = dragData.moduleId as string;
const targetRackId = dropData.rackId as string;
const targetUPosition = dropData.uPosition as number;
// No-op if dropped on own position
if (dragData.fromRackId === targetRackId && dragData.fromUPosition === targetUPosition) return;
try {
await moveModule(moduleId, targetRackId, targetUPosition);
toast.success('Module moved');
} catch (err) {
toast.error(err instanceof Error ? err.message : 'Move failed');
}
return;
}
// --- Rack header → rack header: reorder racks ---
if (dragData?.dragType === 'rack' && over.data.current?.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);
// Persist new displayOrder values
try {
await Promise.all(
reordered.map((rack, idx) =>
rack.displayOrder !== idx ? apiClient.racks.update(rack.id, { displayOrder: idx }) : Promise.resolve(rack)
)
);
// Refresh store to sync
await fetchRacks();
} catch {
toast.error('Failed to save rack order');
await fetchRacks(); // rollback
}
}
}
const rackIds = racks.map((r) => r.id);
return (
<DndContext sensors={sensors} collisionDetection={slotFirstCollision} onDragStart={handleDragStart} onDragEnd={handleDragEnd}>
<div className="flex flex-col h-screen bg-[#0f1117]">
<RackToolbar rackCanvasRef={canvasRef} />
<div className="flex flex-1 overflow-hidden">
<DevicePalette />
<div className="flex-1 overflow-auto">
{loading ? (
<RackSkeleton />
) : racks.length === 0 ? (
<div className="flex flex-col items-center justify-center h-full gap-3 text-center px-4">
<div className="w-16 h-16 bg-slate-800 rounded-xl border border-slate-700 flex items-center justify-center">
<svg width="32" height="32" viewBox="0 0 18 18" fill="none">
<rect x="1" y="2" width="16" height="3" rx="1" fill="#475569" />
<rect x="1" y="7" width="16" height="3" rx="1" fill="#475569" opacity="0.7" />
<rect x="1" y="12" width="16" height="3" rx="1" fill="#475569" opacity="0.4" />
</svg>
</div>
<div>
<p className="text-slate-300 font-medium">No racks yet</p>
<p className="text-slate-500 text-sm mt-1">
Click <strong className="text-slate-300">Add Rack</strong> in the toolbar to create your first rack.
</p>
</div>
</div>
) : (
<SortableContext items={rackIds} strategy={horizontalListSortingStrategy}>
<div
ref={canvasRef}
className="flex gap-4 p-4 min-h-full items-start"
style={{ background: '#0f1117' }}
>
{racks.map((rack) => (
<RackColumn key={rack.id} rack={rack} draggingModuleId={draggingModuleId} />
))}
</div>
</SortableContext>
)}
</div>
</div>
</div>
<DragOverlay dropAnimation={null}>
{activePaletteType && <DragOverlayItem type={activePaletteType} />}
{activeDragModuleLabel && <ModuleDragOverlay label={activeDragModuleLabel} />}
</DragOverlay>
{pendingDrop && (
<AddModuleModal
open={true}
onClose={() => setPendingDrop(null)}
rackId={pendingDrop.rackId}
uPosition={pendingDrop.uPosition}
initialType={pendingDrop.type}
/>
)}
</DndContext>
);
}