85 lines
2.7 KiB
TypeScript
85 lines
2.7 KiB
TypeScript
import { Dialog, DialogContent } from "@/components/ui/dialog";
|
|
import { ChevronLeft, ChevronRight } from "lucide-react";
|
|
import { Button } from "@/components/ui/button";
|
|
import { useEffect } from "react";
|
|
|
|
interface ImageViewerModalProps {
|
|
isOpen: boolean;
|
|
onClose: () => void;
|
|
imageUrl: string;
|
|
onNavigate?: (direction: 'prev' | 'next') => void;
|
|
}
|
|
|
|
export function ImageViewerModal({ isOpen, onClose, imageUrl, onNavigate }: ImageViewerModalProps) {
|
|
const handleNavigation = (direction: 'prev' | 'next') => (e: React.MouseEvent) => {
|
|
e.preventDefault();
|
|
e.stopPropagation();
|
|
onNavigate?.(direction);
|
|
};
|
|
|
|
// Add keyboard navigation
|
|
useEffect(() => {
|
|
const handleKeyDown = (e: KeyboardEvent) => {
|
|
if (!onNavigate) return;
|
|
|
|
if (e.key === 'ArrowLeft') {
|
|
e.preventDefault();
|
|
onNavigate('prev');
|
|
} else if (e.key === 'ArrowRight') {
|
|
e.preventDefault();
|
|
onNavigate('next');
|
|
} else if (e.key === 'Escape') {
|
|
e.preventDefault();
|
|
onClose();
|
|
}
|
|
};
|
|
|
|
if (isOpen) {
|
|
window.addEventListener('keydown', handleKeyDown);
|
|
}
|
|
|
|
return () => {
|
|
window.removeEventListener('keydown', handleKeyDown);
|
|
};
|
|
}, [isOpen, onNavigate, onClose]);
|
|
|
|
return (
|
|
<Dialog open={isOpen} onOpenChange={onClose}>
|
|
<DialogContent className="p-0 border-none bg-black/80 max-w-[90vw] max-h-[90vh] [&>button]:text-white [&>button]:hover:text-gray-300 [&>button]:hover:bg-white/10 [&>button]:top-4 [&>button]:right-4">
|
|
<div className="relative w-[90vw] h-[90vh] mx-auto">
|
|
{/* Navigation buttons */}
|
|
{onNavigate && (
|
|
<>
|
|
<Button
|
|
variant="ghost"
|
|
size="icon"
|
|
className="absolute left-4 top-1/2 -translate-y-1/2 z-50 text-white hover:text-gray-300 hover:bg-white/10 w-12 h-12"
|
|
onClick={handleNavigation('prev')}
|
|
>
|
|
<ChevronLeft size={32} />
|
|
</Button>
|
|
<Button
|
|
variant="ghost"
|
|
size="icon"
|
|
className="absolute right-4 top-1/2 -translate-y-1/2 z-50 text-white hover:text-gray-300 hover:bg-white/10 w-12 h-12"
|
|
onClick={handleNavigation('next')}
|
|
>
|
|
<ChevronRight size={32} />
|
|
</Button>
|
|
</>
|
|
)}
|
|
|
|
{/* Image container */}
|
|
<div className="w-full h-full flex items-center justify-center p-4">
|
|
<img
|
|
src={imageUrl}
|
|
alt="Full size image"
|
|
className="max-w-full max-h-full object-contain"
|
|
loading="eager"
|
|
/>
|
|
</div>
|
|
</div>
|
|
</DialogContent>
|
|
</Dialog>
|
|
);
|
|
}
|