86 lines
2.2 KiB
TypeScript
86 lines
2.2 KiB
TypeScript
"use client";
|
|
|
|
import React, { useEffect } from 'react';
|
|
import { X } from 'lucide-react';
|
|
|
|
interface SidebarProps {
|
|
isOpen: boolean;
|
|
onClose: () => void;
|
|
title?: string;
|
|
children: React.ReactNode;
|
|
width?: string;
|
|
}
|
|
|
|
export default function Sidebar({
|
|
isOpen,
|
|
onClose,
|
|
title,
|
|
children,
|
|
width = '900px'
|
|
}: SidebarProps) {
|
|
|
|
// Gérer la touche Escape pour fermer la sidebar
|
|
useEffect(() => {
|
|
const handleEscape = (e: KeyboardEvent) => {
|
|
if (e.key === 'Escape' && isOpen) {
|
|
onClose();
|
|
}
|
|
};
|
|
|
|
if (isOpen) {
|
|
document.addEventListener('keydown', handleEscape);
|
|
// Empêcher le scroll du body quand la sidebar est ouverte
|
|
document.body.style.overflow = 'hidden';
|
|
}
|
|
|
|
return () => {
|
|
document.removeEventListener('keydown', handleEscape);
|
|
document.body.style.overflow = 'unset';
|
|
};
|
|
}, [isOpen, onClose]);
|
|
|
|
return (
|
|
<>
|
|
{/* Overlay */}
|
|
<div
|
|
className={`fixed inset-0 bg-black/50 backdrop-blur-sm z-40 transition-opacity duration-300 ${
|
|
isOpen ? 'opacity-100' : 'opacity-0 pointer-events-none'
|
|
}`}
|
|
onClick={onClose}
|
|
aria-hidden="true"
|
|
/>
|
|
|
|
{/* Sidebar */}
|
|
<div
|
|
className={`fixed top-0 right-0 h-full bg-white shadow-2xl z-50 flex flex-col transition-transform duration-300 ease-in-out ${
|
|
isOpen ? 'translate-x-0' : 'translate-x-full'
|
|
}`}
|
|
style={{ maxWidth: width, width: '100%' }}
|
|
role="dialog"
|
|
aria-modal="true"
|
|
aria-labelledby="sidebar-title"
|
|
>
|
|
{/* Header */}
|
|
<div className="flex items-center justify-between px-6 py-4 border-b bg-gradient-to-r from-slate-50 to-slate-100">
|
|
{title && (
|
|
<h2 id="sidebar-title" className="text-xl font-semibold text-slate-900">
|
|
{title}
|
|
</h2>
|
|
)}
|
|
<button
|
|
onClick={onClose}
|
|
className="ml-auto p-2 rounded-full hover:bg-slate-200 transition-colors"
|
|
aria-label="Fermer"
|
|
>
|
|
<X className="w-5 h-5 text-slate-600" />
|
|
</button>
|
|
</div>
|
|
|
|
{/* Content */}
|
|
<div className="flex-1 overflow-y-auto">
|
|
{children}
|
|
</div>
|
|
</div>
|
|
</>
|
|
);
|
|
}
|