Files
eve-signaler/src/components/GalaxyMap.tsx
gpt-engineer-app[bot] 7d6cdf5b76 Fix map issues and add features
- Handle spaces and dashes in region names.
- Implement zoom and pan functionality.
- Disable node dragging.
- Draw connections between systems, including those in other regions.
- Adjust system name label position.
2025-06-14 00:37:55 +00:00

205 lines
6.5 KiB
TypeScript

import React, { useState, useRef, useCallback, useEffect } from 'react';
import { useNavigate } from 'react-router-dom';
import { MapNode } from './MapNode';
import { Connection } from './Connection';
import { useQuery } from '@tanstack/react-query';
interface Region {
regionName: string;
x: string;
y: string;
security: number;
connectsTo: string[];
}
interface Position {
x: number;
y: number;
}
const fetchUniverseData = async (): Promise<Region[]> => {
const response = await fetch('/universe.json');
if (!response.ok) {
throw new Error('Failed to fetch universe data');
}
return response.json();
};
export const GalaxyMap = () => {
const navigate = useNavigate();
const [viewBox, setViewBox] = useState({ x: 0, y: 0, width: 1200, height: 800 });
const [isPanning, setIsPanning] = useState(false);
const [lastPanPoint, setLastPanPoint] = useState({ x: 0, y: 0 });
const [nodePositions, setNodePositions] = useState<Record<string, Position>>({});
const svgRef = useRef<SVGSVGElement>(null);
const { data: regions, isLoading, error } = useQuery({
queryKey: ['universe'],
queryFn: fetchUniverseData,
});
// Initialize node positions when data is loaded
useEffect(() => {
if (regions) {
const positions: Record<string, Position> = {};
regions.forEach(region => {
positions[region.regionName] = {
x: parseInt(region.x),
y: parseInt(region.y)
};
});
setNodePositions(positions);
}
}, [regions]);
const handleNodeClick = (regionName: string) => {
// Encode region name to handle spaces and special characters
const encodedRegion = encodeURIComponent(regionName);
navigate(`/regions/${encodedRegion}`);
};
const handleMouseDown = useCallback((e: React.MouseEvent) => {
if (!svgRef.current) return;
setIsPanning(true);
const rect = svgRef.current.getBoundingClientRect();
setLastPanPoint({
x: e.clientX - rect.left,
y: e.clientY - rect.top
});
}, []);
const handleMouseMove = useCallback((e: React.MouseEvent) => {
if (!isPanning || !svgRef.current) return;
const rect = svgRef.current.getBoundingClientRect();
const currentPoint = {
x: e.clientX - rect.left,
y: e.clientY - rect.top
};
const deltaX = (lastPanPoint.x - currentPoint.x) * (viewBox.width / rect.width);
const deltaY = (lastPanPoint.y - currentPoint.y) * (viewBox.height / rect.height);
setViewBox(prev => ({
...prev,
x: prev.x + deltaX,
y: prev.y + deltaY
}));
setLastPanPoint(currentPoint);
}, [isPanning, lastPanPoint, viewBox.width, viewBox.height]);
const handleMouseUp = useCallback(() => {
setIsPanning(false);
}, []);
const handleWheel = useCallback((e: React.WheelEvent) => {
e.preventDefault();
if (!svgRef.current) return;
const rect = svgRef.current.getBoundingClientRect();
const mouseX = e.clientX - rect.left;
const mouseY = e.clientY - rect.top;
const scale = e.deltaY > 0 ? 1.1 : 0.9;
const newWidth = viewBox.width * scale;
const newHeight = viewBox.height * scale;
const mouseXInSVG = viewBox.x + (mouseX / rect.width) * viewBox.width;
const mouseYInSVG = viewBox.y + (mouseY / rect.height) * viewBox.height;
const newX = mouseXInSVG - (mouseX / rect.width) * newWidth;
const newY = mouseYInSVG - (mouseY / rect.height) * newHeight;
setViewBox({
x: newX,
y: newY,
width: newWidth,
height: newHeight
});
}, [viewBox]);
if (isLoading) {
return (
<div className="w-full h-screen bg-gradient-to-br from-slate-900 via-purple-900 to-slate-900 flex items-center justify-center">
<div className="text-white text-xl">Loading universe data...</div>
</div>
);
}
if (error) {
return (
<div className="w-full h-screen bg-gradient-to-br from-slate-900 via-purple-900 to-slate-900 flex items-center justify-center">
<div className="text-red-400 text-xl">Error loading universe data</div>
</div>
);
}
return (
<div className="w-full h-screen bg-gradient-to-br from-slate-900 via-purple-900 to-slate-900 overflow-hidden relative">
<div className="absolute inset-0 bg-[radial-gradient(ellipse_at_center,_var(--tw-gradient-stops))] from-purple-900/20 via-slate-900/40 to-black"></div>
<div className="relative z-10 p-8">
<h1 className="text-4xl font-bold text-white mb-2 text-center">Galaxy Map</h1>
<p className="text-purple-200 text-center mb-8">Navigate the known regions of space</p>
<div className="w-full h-[calc(100vh-200px)] border border-purple-500/30 rounded-lg overflow-hidden bg-black/20 backdrop-blur-sm">
<svg
ref={svgRef}
width="100%"
height="100%"
viewBox={`${viewBox.x} ${viewBox.y} ${viewBox.width} ${viewBox.height}`}
className="cursor-grab active:cursor-grabbing"
onMouseDown={handleMouseDown}
onMouseMove={handleMouseMove}
onMouseUp={handleMouseUp}
onMouseLeave={handleMouseUp}
onWheel={handleWheel}
>
<defs>
<filter id="glow">
<feGaussianBlur stdDeviation="3" result="coloredBlur"/>
<feMerge>
<feMergeNode in="coloredBlur"/>
<feMergeNode in="SourceGraphic"/>
</feMerge>
</filter>
</defs>
{/* Render connections first (behind nodes) */}
{regions?.map((region) =>
region.connectsTo?.map((connectedRegion) => {
const fromPos = nodePositions[region.regionName];
const toPos = nodePositions[connectedRegion];
if (!fromPos || !toPos) return null;
return (
<Connection
key={`${region.regionName}-${connectedRegion}`}
from={fromPos}
to={toPos}
/>
);
})
)}
{/* Render nodes */}
{regions?.map((region) => (
<MapNode
key={region.regionName}
id={region.regionName}
name={region.regionName}
position={nodePositions[region.regionName] || { x: 0, y: 0 }}
onClick={() => handleNodeClick(region.regionName)}
type="region"
security={region.security}
/>
))}
</svg>
</div>
</div>
</div>
);
};