move to gitea

This commit is contained in:
Mamadou Sall
2025-08-24 22:41:31 +02:00
commit 032b1d9452
122 changed files with 28723 additions and 0 deletions

View File

@@ -0,0 +1,201 @@
// src/components/layout/Footer.tsx
'use client';
import Link from 'next/link';
import { Instagram, Facebook, Twitter, Youtube } from 'lucide-react';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { useState } from 'react';
interface FooterSection {
title: string;
links: Array<{
name: string;
href: string;
}>;
}
const footerSections: FooterSection[] = [
{
title: 'Produits',
links: [
{ name: 'Nouvelles Arrivées', href: '/boutique?filter=new' },
{ name: 'Collections Premium', href: '/collections/premium' },
{ name: 'Melhfa Traditionnelles', href: '/collections/traditionnelles' },
{ name: 'Accessoires', href: '/accessoires' },
],
},
{
title: 'Aide',
links: [
{ name: 'Guide des tailles', href: '/aide/tailles' },
{ name: 'Livraison', href: '/aide/livraison' },
{ name: 'Retours', href: '/aide/retours' },
{ name: 'FAQ', href: '/aide/faq' },
],
},
{
title: 'Entreprise',
links: [
{ name: 'À propos', href: '/a-propos' },
{ name: 'Carrières', href: '/carrieres' },
{ name: 'Presse', href: '/presse' },
{ name: 'Contact', href: '/contact' },
],
},
];
const socialLinks = [
{ name: 'Instagram', href: '#', icon: Instagram },
{ name: 'Facebook', href: '#', icon: Facebook },
{ name: 'Twitter', href: '#', icon: Twitter },
{ name: 'YouTube', href: '#', icon: Youtube },
];
export default function Footer(): JSX.Element {
const [email, setEmail] = useState('');
const [isSubscribed, setIsSubscribed] = useState(false);
const handleNewsletterSubmit = (e: React.FormEvent): void => {
e.preventDefault();
if (!email) return;
// Simuler l'inscription à la newsletter
setIsSubscribed(true);
setEmail('');
setTimeout(() => {
setIsSubscribed(false);
}, 3000);
};
return (
<footer className="bg-white border-t border-black/5">
{/* Newsletter Section */}
<div className="bg-gray-50 py-16">
<div className="max-w-[1400px] mx-auto px-6 text-center">
<h2 className="text-2xl font-light mb-4 tracking-wide">
Restez informé
</h2>
<p className="text-gray-600 mb-8 text-sm">
Recevez nos dernières collections et offres exclusives
</p>
<form onSubmit={handleNewsletterSubmit} className="max-w-md mx-auto">
<div className="flex gap-0">
<Input
type="email"
placeholder="Votre adresse email"
value={email}
onChange={(e) => setEmail(e.target.value)}
className="flex-1 rounded-r-none border-r-0 focus:ring-0 focus:border-black text-sm"
required
/>
<Button
type="submit"
className="bg-black text-white hover:bg-gray-800 px-6 rounded-l-none text-xs uppercase tracking-wide"
disabled={isSubscribed}
>
{isSubscribed ? 'Merci !' : "S'abonner"}
</Button>
</div>
</form>
</div>
</div>
{/* Main Footer Content */}
<div className="max-w-[1400px] mx-auto px-6 py-16">
<div className="grid grid-cols-1 md:grid-cols-2 lg:grid-cols-4 gap-8 lg:gap-12">
{/* Sections de liens */}
{footerSections.map((section) => (
<div key={section.title}>
<h3 className="text-xs font-semibold uppercase tracking-widest mb-6 text-black">
{section.title}
</h3>
<ul className="space-y-3">
{section.links.map((link) => (
<li key={link.name}>
<Link
href={link.href}
className="text-sm text-gray-600 hover:text-black transition-colors"
>
{link.name}
</Link>
</li>
))}
</ul>
</div>
))}
{/* Réseaux sociaux */}
<div>
<h3 className="text-xs font-semibold uppercase tracking-widest mb-6 text-black">
Suivez-nous
</h3>
<div className="space-y-3">
{socialLinks.map((social) => {
const IconComponent = social.icon;
return (
<Link
key={social.name}
href={social.href}
className="flex items-center text-sm text-gray-600 hover:text-black transition-colors group"
>
<IconComponent className="w-4 h-4 mr-3 group-hover:scale-110 transition-transform" />
{social.name}
</Link>
);
})}
</div>
</div>
</div>
{/* Bottom Section */}
<div className="mt-16 pt-8 border-t border-gray-200 flex flex-col md:flex-row justify-between items-center space-y-4 md:space-y-0">
<div className="flex flex-col md:flex-row items-center space-y-2 md:space-y-0 md:space-x-6">
<p className="text-xs text-gray-500">
© 2024 MELHFA. Tous droits réservés.
</p>
<div className="flex space-x-6">
<Link
href="/mentions-legales"
className="text-xs text-gray-500 hover:text-black transition-colors"
>
Mentions légales
</Link>
<Link
href="/politique-confidentialite"
className="text-xs text-gray-500 hover:text-black transition-colors"
>
Confidentialité
</Link>
<Link
href="/cookies"
className="text-xs text-gray-500 hover:text-black transition-colors"
>
Cookies
</Link>
</div>
</div>
<div className="flex items-center space-x-4">
<span className="text-xs text-gray-500">Paiement sécurisé</span>
<div className="flex space-x-2">
{/* Logos des méthodes de paiement - vous pouvez remplacer par de vraies images */}
<div className="w-8 h-5 bg-gray-200 rounded-sm flex items-center justify-center">
<span className="text-[8px] font-bold text-gray-600">VISA</span>
</div>
<div className="w-8 h-5 bg-gray-200 rounded-sm flex items-center justify-center">
<span className="text-[8px] font-bold text-gray-600">MC</span>
</div>
<div className="w-8 h-5 bg-gray-200 rounded-sm flex items-center justify-center">
<span className="text-[8px] font-bold text-gray-600">PP</span>
</div>
</div>
</div>
</div>
</div>
</footer>
);
}

View File

@@ -0,0 +1,213 @@
// src/components/layout/Header.tsx
'use client';
import { useState, useEffect } from 'react';
import Link from 'next/link';
import { useCartActions } from '@/hooks/useCartSync';import { ShoppingBag, Menu, X, Search, User } from 'lucide-react';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
Sheet,
SheetContent,
SheetTrigger,
} from '@/components/ui/sheet';
interface NavigationItem {
name: string;
href: string;
}
const navigation: NavigationItem[] = [
{ name: 'Nouvelles Arrivées', href: '/boutique?filter=new' },
{ name: 'Collections', href: '/collections' },
{ name: 'Promotions', href: '/boutique?filter=sale' },
{ name: 'Accessoires', href: '/accessoires' },
];
export default function Header(): JSX.Element {
const { getItemCount } = useCart();
const [isScrolled, setIsScrolled] = useState(false);
const [isMobileMenuOpen, setIsMobileMenuOpen] = useState(false);
const itemCount = getItemCount();
useEffect(() => {
const handleScroll = (): void => {
setIsScrolled(window.scrollY > 100);
};
window.addEventListener('scroll', handleScroll);
return () => window.removeEventListener('scroll', handleScroll);
}, []);
return (
<header
className={`fixed top-0 w-full z-50 transition-all duration-300 ${isScrolled
? 'bg-white/98 backdrop-blur-xl shadow-sm border-b border-black/5'
: 'bg-white/95 backdrop-blur-xl border-b border-black/5'
}`}
>
<div className="max-w-[1400px] mx-auto px-6">
<div className="flex items-center justify-between py-3">
{/* Logo */}
<Link
href="/"
className="text-2xl font-semibold tracking-[3px] text-black hover:opacity-70 transition-opacity"
>
MELHFA
</Link>
{/* Navigation Desktop */}
<nav className="hidden lg:flex items-center space-x-10">
{navigation.map((item) => (
<Link
key={item.name}
href={item.href}
className="text-sm font-normal text-black hover:opacity-60 transition-opacity tracking-wide uppercase"
>
{item.name}
</Link>
))}
</nav>
{/* Actions Desktop */}
<div className="hidden lg:flex items-center space-x-6">
<Button
variant="ghost"
size="sm"
className="text-sm font-normal tracking-wide uppercase text-black hover:bg-transparent hover:opacity-60"
>
<Search className="w-4 h-4 mr-2" />
Recherche
</Button>
<Button
variant="ghost"
size="sm"
className="text-sm font-normal tracking-wide uppercase text-black hover:bg-transparent hover:opacity-60"
>
<User className="w-4 h-4 mr-2" />
Connexion
</Button>
<Button
variant="ghost"
size="sm"
className="text-sm font-normal tracking-wide uppercase text-black hover:bg-transparent hover:opacity-60"
>
Aide
</Button>
<Link href="/panier" className="relative">
<Button
variant="ghost"
size="sm"
className="p-2 hover:bg-transparent hover:opacity-60"
>
<ShoppingBag className="w-5 h-5" />
{itemCount > 0 && (
<Badge
variant="destructive"
className="absolute -top-2 -right-2 w-5 h-5 rounded-full text-xs flex items-center justify-center p-0"
>
{itemCount}
</Badge>
)}
</Button>
</Link>
</div>
{/* Menu Mobile */}
<div className="lg:hidden flex items-center space-x-4">
<Link href="/panier" className="relative">
<Button
variant="ghost"
size="sm"
className="p-2 hover:bg-transparent hover:opacity-60"
>
<ShoppingBag className="w-5 h-5" />
{itemCount > 0 && (
<Badge
variant="destructive"
className="absolute -top-2 -right-2 w-5 h-5 rounded-full text-xs flex items-center justify-center p-0"
>
{itemCount}
</Badge>
)}
</Button>
</Link>
<Sheet open={isMobileMenuOpen} onOpenChange={setIsMobileMenuOpen}>
<SheetTrigger asChild>
<Button
variant="ghost"
size="sm"
className="p-2 hover:bg-transparent hover:opacity-60"
>
<Menu className="w-5 h-5" />
</Button>
</SheetTrigger>
<SheetContent side="right" className="w-80 p-0">
<div className="flex flex-col h-full">
{/* Header du menu mobile */}
<div className="flex items-center justify-between p-6 border-b border-gray-200">
<span className="text-lg font-semibold tracking-wide">Menu</span>
<Button
variant="ghost"
size="sm"
onClick={() => setIsMobileMenuOpen(false)}
className="p-2"
>
<X className="w-5 h-5" />
</Button>
</div>
{/* Navigation mobile */}
<nav className="flex-1 p-6">
<div className="space-y-6">
{navigation.map((item) => (
<Link
key={item.name}
href={item.href}
onClick={() => setIsMobileMenuOpen(false)}
className="block text-base font-normal text-black hover:opacity-60 transition-opacity tracking-wide uppercase"
>
{item.name}
</Link>
))}
</div>
<div className="mt-8 pt-8 border-t border-gray-200 space-y-4">
<Button
variant="ghost"
className="w-full justify-start text-sm font-normal tracking-wide uppercase text-black hover:bg-transparent hover:opacity-60"
>
<Search className="w-4 h-4 mr-3" />
Recherche
</Button>
<Button
variant="ghost"
className="w-full justify-start text-sm font-normal tracking-wide uppercase text-black hover:bg-transparent hover:opacity-60"
>
<User className="w-4 h-4 mr-3" />
Connexion
</Button>
<Button
variant="ghost"
className="w-full justify-start text-sm font-normal tracking-wide uppercase text-black hover:bg-transparent hover:opacity-60"
>
Aide
</Button>
</div>
</nav>
</div>
</SheetContent>
</Sheet>
</div>
</div>
</div>
</header>
);
}

View File

@@ -0,0 +1,258 @@
// src/components/product/ProductCard.tsx
'use client';
import { useState } from 'react';
import Link from 'next/link';
import Image from 'next/image';
import { WooCommerceProduct } from '@/types/woocommerce';
import { useCartActions } from '@/hooks/useCartSync';import { formatPrice, isOnSale, getDiscountPercentage } from '@/lib/woocommerce';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import { Eye, ShoppingBag, Heart } from 'lucide-react';
import { cn } from '@/lib/utils';
interface ProductCardProps {
product: WooCommerceProduct;
className?: string;
showQuickView?: boolean;
}
interface ColorOption {
name: string;
hex: string;
}
export default function ProductCard({
product,
className = '',
showQuickView = true
}: ProductCardProps): JSX.Element {
const { addToCart, isInCart } = useCart();
const [isHovered, setIsHovered] = useState(false);
const [selectedColor, setSelectedColor] = useState<string | null>(null);
const [isAddingToCart, setIsAddingToCart] = useState(false);
const primaryImage = product.images?.[0]?.src || '/placeholder-product.jpg';
const secondaryImage = product.images?.[1]?.src || primaryImage;
const discountPercentage = getDiscountPercentage(product);
// Extraire les couleurs des attributs du produit
const colorAttribute = product.attributes?.find(attr =>
attr.name.toLowerCase().includes('couleur') ||
attr.name.toLowerCase().includes('color')
);
const colorOptions: ColorOption[] = colorAttribute?.options.map(color => ({
name: color,
hex: getColorHex(color), // Fonction helper pour obtenir le hex
})) || [];
const handleAddToCart = async (): Promise<void> => {
if (isAddingToCart) return;
setIsAddingToCart(true);
try {
addToCart({
id: product.id,
name: product.name,
price: product.sale_price || product.regular_price,
image: primaryImage,
});
// Simulation d'une petite attente pour l'UX
await new Promise(resolve => setTimeout(resolve, 300));
} finally {
setIsAddingToCart(false);
}
};
return (
<div
className={cn(
"group relative bg-white transition-all duration-300 hover:shadow-lg",
className
)}
onMouseEnter={() => setIsHovered(true)}
onMouseLeave={() => setIsHovered(false)}
>
{/* Image Container */}
<div className="relative aspect-[3/4] overflow-hidden bg-gray-100">
<Link href={`/produit/${product.slug}`}>
<Image
src={isHovered && secondaryImage !== primaryImage ? secondaryImage : primaryImage}
alt={product.name}
fill
className="object-cover transition-all duration-500 group-hover:scale-105"
sizes="(max-width: 768px) 50vw, (max-width: 1200px) 33vw, 25vw"
/>
</Link>
{/* Badges */}
<div className="absolute top-4 left-4 flex flex-col gap-2">
{isOnSale(product) && (
<Badge className="bg-red-500 text-white text-xs px-2 py-1">
-{discountPercentage}%
</Badge>
)}
{product.featured && (
<Badge className="bg-black text-white text-xs px-2 py-1">
Nouvelle Collection
</Badge>
)}
</div>
{/* Quick Actions Overlay */}
{showQuickView && (
<div
className={cn(
"absolute inset-0 bg-black/10 flex items-center justify-center transition-opacity duration-300",
isHovered ? "opacity-100" : "opacity-0"
)}
>
<div className="flex gap-2">
<Button
variant="secondary"
size="sm"
className="bg-white hover:bg-gray-100 shadow-md"
asChild
>
<Link href={`/produit/${product.slug}`}>
<Eye className="w-4 h-4 mr-2" />
Aperçu rapide
</Link>
</Button>
</div>
</div>
)}
{/* Wishlist Button */}
<Button
variant="ghost"
size="sm"
className={cn(
"absolute top-4 right-4 w-8 h-8 p-0 bg-white/80 hover:bg-white transition-all duration-300",
isHovered ? "opacity-100 scale-100" : "opacity-0 scale-75"
)}
>
<Heart className="w-4 h-4" />
</Button>
</div>
{/* Product Info */}
<div className="p-4 space-y-3">
<div>
<Link
href={`/produit/${product.slug}`}
className="group"
>
<h3 className="text-sm font-medium text-black group-hover:opacity-70 transition-opacity tracking-wide uppercase">
{product.name}
</h3>
</Link>
{/* Prix */}
<div className="flex items-center gap-2 mt-1">
{isOnSale(product) ? (
<>
<span className="text-base font-medium text-black">
{formatPrice(product.sale_price)}
</span>
<span className="text-sm text-gray-500 line-through">
{formatPrice(product.regular_price)}
</span>
</>
) : (
<span className="text-base font-medium text-black">
{formatPrice(product.price)}
</span>
)}
</div>
</div>
{/* Couleurs disponibles */}
{colorOptions.length > 0 && (
<div className="flex items-center gap-2">
{colorOptions.slice(0, 4).map((color, index) => (
<button
key={index}
onClick={() => setSelectedColor(color.name)}
className={cn(
"w-4 h-4 rounded-full border-2 transition-all duration-200 hover:scale-110",
selectedColor === color.name
? "border-black shadow-md"
: "border-gray-200"
)}
style={{ backgroundColor: color.hex }}
title={color.name}
/>
))}
{colorOptions.length > 4 && (
<span className="text-xs text-gray-500 ml-1">
+{colorOptions.length - 4}
</span>
)}
</div>
)}
{/* Add to Cart Button */}
<Button
onClick={handleAddToCart}
disabled={isAddingToCart || !product.purchasable}
className={cn(
"w-full bg-black text-white hover:bg-gray-800 text-xs uppercase tracking-wide transition-all duration-300",
isInCart(product.id) && "bg-green-600 hover:bg-green-700"
)}
>
{isAddingToCart ? (
"Ajout..."
) : isInCart(product.id) ? (
<>
<ShoppingBag className="w-4 h-4 mr-2" />
Dans le panier
</>
) : (
"Ajouter au panier"
)}
</Button>
</div>
</div>
);
}
// Fonction helper pour obtenir la couleur hex à partir du nom
function getColorHex(colorName: string): string {
const colorMap: { [key: string]: string } = {
'noir': '#000000',
'black': '#000000',
'blanc': '#ffffff',
'white': '#ffffff',
'rouge': '#e74c3c',
'red': '#e74c3c',
'bleu': '#3498db',
'blue': '#3498db',
'vert': '#27ae60',
'green': '#27ae60',
'jaune': '#f1c40f',
'yellow': '#f1c40f',
'orange': '#e67e22',
'violet': '#8e44ad',
'purple': '#8e44ad',
'rose': '#e91e63',
'pink': '#e91e63',
'gris': '#95a5a6',
'gray': '#95a5a6',
'grey': '#95a5a6',
'marron': '#8B4513',
'brown': '#8B4513',
'beige': '#F5F5DC',
'doré': '#FFD700',
'gold': '#FFD700',
'argenté': '#C0C0C0',
'silver': '#C0C0C0',
};
const normalizedName = colorName.toLowerCase().trim();
return colorMap[normalizedName] || '#9CA3AF'; // Couleur par défaut
}

View File

@@ -0,0 +1,354 @@
// src/components/product/ProductFilters.tsx
'use client';
import { useState } from 'react';
import { useRouter, useSearchParams } from 'next/navigation';
import { Button } from '@/components/ui/button';
import { Checkbox } from '@/components/ui/checkbox';
import { Label } from '@/components/ui/label';
import { Slider } from '@/components/ui/slider';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue
} from '@/components/ui/select';
import {
Accordion,
AccordionContent,
AccordionItem,
AccordionTrigger,
} from '@/components/ui/accordion';
import { X, Filter } from 'lucide-react';
import { cn } from '@/lib/utils';
interface Category {
id: number;
name: string;
slug: string;
count: number;
}
interface ProductFiltersProps {
categories: Category[];
currentCategory?: string;
currentFilter?: string;
currentSort?: string;
}
interface ColorOption {
name: string;
value: string;
hex: string;
}
interface SizeOption {
name: string;
value: string;
}
const colorOptions: ColorOption[] = [
{ name: 'Noir', value: 'noir', hex: '#000000' },
{ name: 'Blanc', value: 'blanc', hex: '#FFFFFF' },
{ name: 'Rouge', value: 'rouge', hex: '#DC2626' },
{ name: 'Bleu', value: 'bleu', hex: '#2563EB' },
{ name: 'Vert', value: 'vert', hex: '#059669' },
{ name: 'Jaune', value: 'jaune', hex: '#D97706' },
{ name: 'Violet', value: 'violet', hex: '#7C3AED' },
{ name: 'Rose', value: 'rose', hex: '#EC4899' },
];
const sizeOptions: SizeOption[] = [
{ name: 'Standard', value: 'standard' },
{ name: 'Grande taille', value: 'grande' },
{ name: 'Petite taille', value: 'petite' },
{ name: 'Sur mesure', value: 'sur-mesure' },
];
const sortOptions = [
{ label: 'Plus récent', value: 'date-desc' },
{ label: 'Prix croissant', value: 'price-asc' },
{ label: 'Prix décroissant', value: 'price-desc' },
{ label: 'Nom A-Z', value: 'name-asc' },
{ label: 'Nom Z-A', value: 'name-desc' },
];
export default function ProductFilters({
categories,
currentCategory,
currentFilter,
currentSort = 'date-desc'
}: ProductFiltersProps): JSX.Element {
const router = useRouter();
const searchParams = useSearchParams();
const [priceRange, setPriceRange] = useState<number[]>([0, 100000]);
const [selectedColors, setSelectedColors] = useState<string[]>([]);
const [selectedSizes, setSelectedSizes] = useState<string[]>([]);
const [selectedCategories, setSelectedCategories] = useState<string[]>(
currentCategory ? [currentCategory] : []
);
const updateFilters = (newParams: Record<string, string | string[] | null>): void => {
const params = new URLSearchParams(searchParams.toString());
Object.entries(newParams).forEach(([key, value]) => {
if (value === null || value === '' || (Array.isArray(value) && value.length === 0)) {
params.delete(key);
} else if (Array.isArray(value)) {
params.delete(key);
value.forEach(v => params.append(key, v));
} else {
params.set(key, value);
}
});
// Reset page to 1 when filters change
params.set('page', '1');
router.push(`/boutique?${params.toString()}`);
};
const handleSortChange = (value: string): void => {
updateFilters({ sort: value });
};
const handleCategoryChange = (categorySlug: string, checked: boolean): void => {
const newCategories = checked
? [...selectedCategories, categorySlug]
: selectedCategories.filter(c => c !== categorySlug);
setSelectedCategories(newCategories);
updateFilters({ category: newCategories.length > 0 ? newCategories : null });
};
const handleColorChange = (colorValue: string, checked: boolean): void => {
const newColors = checked
? [...selectedColors, colorValue]
: selectedColors.filter(c => c !== colorValue);
setSelectedColors(newColors);
updateFilters({ color: newColors.length > 0 ? newColors : null });
};
const handleSizeChange = (sizeValue: string, checked: boolean): void => {
const newSizes = checked
? [...selectedSizes, sizeValue]
: selectedSizes.filter(s => s !== sizeValue);
setSelectedSizes(newSizes);
updateFilters({ size: newSizes.length > 0 ? newSizes : null });
};
const clearAllFilters = (): void => {
setPriceRange([0, 100000]);
setSelectedColors([]);
setSelectedSizes([]);
setSelectedCategories([]);
router.push('/boutique');
};
const hasActiveFilters =
selectedCategories.length > 0 ||
selectedColors.length > 0 ||
selectedSizes.length > 0 ||
priceRange[0] > 0 ||
priceRange[1] < 100000;
return (
<div className="space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-2">
<Filter className="w-4 h-4" />
<h2 className="font-medium text-sm uppercase tracking-wide">Filtres</h2>
</div>
{hasActiveFilters && (
<Button
variant="ghost"
size="sm"
onClick={clearAllFilters}
className="text-xs text-gray-500 hover:text-black p-0 h-auto"
>
<X className="w-3 h-3 mr-1" />
Effacer
</Button>
)}
</div>
{/* Sort */}
<div className="space-y-3">
<Label className="text-xs font-medium uppercase tracking-wide">
Trier par
</Label>
<Select value={currentSort} onValueChange={handleSortChange}>
<SelectTrigger className="w-full">
<SelectValue />
</SelectTrigger>
<SelectContent>
{sortOptions.map((option) => (
<SelectItem key={option.value} value={option.value}>
{option.label}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
{/* Filters Accordion */}
<Accordion type="multiple" defaultValue={['categories', 'colors', 'sizes', 'price']}>
{/* Categories */}
{categories.length > 0 && (
<AccordionItem value="categories">
<AccordionTrigger className="text-xs font-medium uppercase tracking-wide py-3">
Catégories
</AccordionTrigger>
<AccordionContent className="space-y-3 pt-1">
{categories.map((category) => (
<div key={category.id} className="flex items-center space-x-2">
<Checkbox
id={`category-${category.id}`}
checked={selectedCategories.includes(category.slug)}
onCheckedChange={(checked) =>
handleCategoryChange(category.slug, checked as boolean)
}
/>
<Label
htmlFor={`category-${category.id}`}
className="text-sm cursor-pointer flex-1 flex justify-between"
>
<span>{category.name}</span>
<span className="text-gray-400">({category.count})</span>
</Label>
</div>
))}
</AccordionContent>
</AccordionItem>
)}
{/* Colors */}
<AccordionItem value="colors">
<AccordionTrigger className="text-xs font-medium uppercase tracking-wide py-3">
Couleurs
</AccordionTrigger>
<AccordionContent className="space-y-3 pt-1">
<div className="grid grid-cols-4 gap-3">
{colorOptions.map((color) => (
<div key={color.value} className="flex flex-col items-center space-y-1">
<button
onClick={() => handleColorChange(color.value, !selectedColors.includes(color.value))}
className={cn(
"w-8 h-8 rounded-full border-2 transition-all duration-200",
selectedColors.includes(color.value)
? "border-black scale-110 shadow-md"
: "border-gray-200 hover:scale-105",
color.hex === '#FFFFFF' && "border-gray-300"
)}
style={{ backgroundColor: color.hex }}
title={color.name}
/>
<span className="text-xs text-gray-600">{color.name}</span>
</div>
))}
</div>
</AccordionContent>
</AccordionItem>
{/* Sizes */}
<AccordionItem value="sizes">
<AccordionTrigger className="text-xs font-medium uppercase tracking-wide py-3">
Tailles
</AccordionTrigger>
<AccordionContent className="space-y-3 pt-1">
{sizeOptions.map((size) => (
<div key={size.value} className="flex items-center space-x-2">
<Checkbox
id={`size-${size.value}`}
checked={selectedSizes.includes(size.value)}
onCheckedChange={(checked) =>
handleSizeChange(size.value, checked as boolean)
}
/>
<Label
htmlFor={`size-${size.value}`}
className="text-sm cursor-pointer"
>
{size.name}
</Label>
</div>
))}
</AccordionContent>
</AccordionItem>
{/* Price Range */}
<AccordionItem value="price">
<AccordionTrigger className="text-xs font-medium uppercase tracking-wide py-3">
Prix (MRU)
</AccordionTrigger>
<AccordionContent className="space-y-4 pt-1">
<Slider
value={priceRange}
onValueChange={setPriceRange}
max={100000}
min={0}
step={1000}
className="w-full"
/>
<div className="flex justify-between text-sm text-gray-600">
<span>{priceRange[0].toLocaleString()} MRU</span>
<span>{priceRange[1].toLocaleString()} MRU</span>
</div>
<Button
variant="outline"
size="sm"
className="w-full"
onClick={() => updateFilters({
price_min: priceRange[0].toString(),
price_max: priceRange[1].toString()
})}
>
Appliquer
</Button>
</AccordionContent>
</AccordionItem>
</Accordion>
{/* Quick Filters */}
<div className="pt-4 border-t border-gray-200 space-y-3">
<Label className="text-xs font-medium uppercase tracking-wide">
Filtres rapides
</Label>
<div className="space-y-2">
<Button
variant={currentFilter === 'sale' ? 'default' : 'outline'}
size="sm"
className="w-full justify-start text-xs"
onClick={() => updateFilters({ filter: currentFilter === 'sale' ? null : 'sale' })}
>
En promotion
</Button>
<Button
variant={currentFilter === 'featured' ? 'default' : 'outline'}
size="sm"
className="w-full justify-start text-xs"
onClick={() => updateFilters({ filter: currentFilter === 'featured' ? null : 'featured' })}
>
Produits vedettes
</Button>
<Button
variant={currentFilter === 'new' ? 'default' : 'outline'}
size="sm"
className="w-full justify-start text-xs"
onClick={() => updateFilters({ filter: currentFilter === 'new' ? null : 'new' })}
>
Nouvelles arrivées
</Button>
</div>
</div>
</div>
);
}

View File

@@ -0,0 +1,94 @@
// src/components/product/ProductGrid.tsx
'use client';
import { WooCommerceProduct } from '@/types/woocommerce';
import ProductCard from './ProductCard';
import { cn } from '@/lib/utils';
interface ProductGridProps {
products: WooCommerceProduct[];
currentPage?: number;
hasMore?: boolean;
className?: string;
viewMode?: 'grid' | 'list';
}
export default function ProductGrid({
products,
currentPage = 1,
hasMore = false,
className = '',
viewMode = 'grid'
}: ProductGridProps): JSX.Element {
if (products.length === 0) {
return (
<div className="text-center py-16">
<div className="max-w-md mx-auto space-y-4">
<div className="w-24 h-24 bg-gray-100 rounded-full mx-auto flex items-center justify-center">
<svg
className="w-12 h-12 text-gray-400"
fill="none"
stroke="currentColor"
viewBox="0 0 24 24"
>
<path
strokeLinecap="round"
strokeLinejoin="round"
strokeWidth={1.5}
d="M20 7l-8-4-8 4m16 0l-8 4m8-4v10l-8 4m0-10L4 7m8 4v10M4 7v10l8 4"
/>
</svg>
</div>
<h3 className="text-lg font-medium text-gray-900">
Aucun produit trouvé
</h3>
<p className="text-gray-600">
Aucun produit ne correspond à vos critères de recherche.
Essayez de modifier vos filtres.
</p>
</div>
</div>
);
}
return (
<div className={cn('space-y-8', className)}>
{/* Grid de produits */}
<div
className={cn(
'grid gap-6',
viewMode === 'grid'
? 'grid-cols-2 md:grid-cols-3 lg:grid-cols-4'
: 'grid-cols-1 md:grid-cols-2 gap-8'
)}
>
{products.map((product, index) => (
<div
key={product.id}
className="animate-fade-in-up"
style={{
animationDelay: `${index * 100}ms`,
animationFillMode: 'both'
}}
>
<ProductCard
product={product}
className={cn(
viewMode === 'list' && 'flex-row h-48'
)}
/>
</div>
))}
</div>
{/* Informations de pagination */}
{currentPage > 1 && (
<div className="text-center text-sm text-gray-600">
Page {currentPage} {products.length} produits affichés
</div>
)}
</div>
);
}

View File

@@ -0,0 +1,215 @@
// src/components/product/ProductImageGallery.tsx
'use client';
import { useState } from 'react';
import Image from 'next/image';
import { WooCommerceImage } from '@/types/woocommerce';
import { Badge } from '@/components/ui/badge';
import { Button } from '@/components/ui/button';
import { ChevronLeft, ChevronRight, Expand, Heart } from 'lucide-react';
import { cn } from '@/lib/utils';
import {
Dialog,
DialogContent,
DialogTrigger,
} from '@/components/ui/dialog';
interface ProductImageGalleryProps {
images: WooCommerceImage[];
productName: string;
isOnSale?: boolean;
discountPercentage?: number;
isFeatured?: boolean;
}
export default function ProductImageGallery({
images,
productName,
isOnSale = false,
discountPercentage = 0,
isFeatured = false,
}: ProductImageGalleryProps): JSX.Element {
const [currentImageIndex, setCurrentImageIndex] = useState(0);
const [isWishlisted, setIsWishlisted] = useState(false);
const hasMultipleImages = images.length > 1;
const currentImage = images[currentImageIndex] || images[0];
const goToPrevious = (): void => {
setCurrentImageIndex((prev) =>
prev === 0 ? images.length - 1 : prev - 1
);
};
const goToNext = (): void => {
setCurrentImageIndex((prev) =>
prev === images.length - 1 ? 0 : prev + 1
);
};
const goToImage = (index: number): void => {
setCurrentImageIndex(index);
};
const toggleWishlist = (): void => {
setIsWishlisted(!isWishlisted);
};
if (!currentImage) {
return (
<div className="aspect-[3/4] bg-gray-200 rounded-lg flex items-center justify-center">
<span className="text-gray-400">Aucune image disponible</span>
</div>
);
}
return (
<div className="space-y-4">
{/* Main Image */}
<div className="relative group">
<div className="aspect-[3/4] relative overflow-hidden rounded-lg bg-gray-100">
<Image
src={currentImage.src}
alt={currentImage.alt || productName}
fill
className="object-cover transition-transform duration-700 group-hover:scale-105"
sizes="(max-width: 768px) 100vw, 50vw"
priority
/>
{/* Badges */}
<div className="absolute top-4 left-4 flex flex-col gap-2 z-10">
{isOnSale && discountPercentage > 0 && (
<Badge className="bg-red-500 text-white">
-{discountPercentage}%
</Badge>
)}
{isFeatured && (
<Badge className="bg-black text-white">
Nouveauté
</Badge>
)}
</div>
{/* Wishlist Button */}
<Button
variant="ghost"
size="sm"
onClick={toggleWishlist}
className={cn(
"absolute top-4 right-4 w-10 h-10 p-0 rounded-full z-10 transition-all duration-300",
"bg-white/80 hover:bg-white backdrop-blur-sm",
isWishlisted && "bg-red-50 text-red-500 hover:bg-red-100"
)}
>
<Heart
className={cn(
"w-5 h-5 transition-all duration-300",
isWishlisted && "fill-current"
)}
/>
</Button>
{/* Navigation Arrows */}
{hasMultipleImages && (
<>
<Button
variant="ghost"
size="sm"
onClick={goToPrevious}
className="absolute left-4 top-1/2 -translate-y-1/2 w-10 h-10 p-0 rounded-full bg-white/80 hover:bg-white backdrop-blur-sm opacity-0 group-hover:opacity-100 transition-opacity duration-300 z-10"
>
<ChevronLeft className="w-5 h-5" />
</Button>
<Button
variant="ghost"
size="sm"
onClick={goToNext}
className="absolute right-4 top-1/2 -translate-y-1/2 w-10 h-10 p-0 rounded-full bg-white/80 hover:bg-white backdrop-blur-sm opacity-0 group-hover:opacity-100 transition-opacity duration-300 z-10"
>
<ChevronRight className="w-5 h-5" />
</Button>
</>
)}
{/* Expand Button */}
<Dialog>
<DialogTrigger asChild>
<Button
variant="ghost"
size="sm"
className="absolute bottom-4 right-4 w-10 h-10 p-0 rounded-full bg-white/80 hover:bg-white backdrop-blur-sm opacity-0 group-hover:opacity-100 transition-opacity duration-300 z-10"
>
<Expand className="w-5 h-5" />
</Button>
</DialogTrigger>
<DialogContent className="max-w-4xl w-full h-full max-h-[90vh] p-0">
<div className="relative w-full h-full">
<Image
src={currentImage.src}
alt={currentImage.alt || productName}
fill
className="object-contain"
sizes="90vw"
/>
</div>
</DialogContent>
</Dialog>
{/* Image Counter */}
{hasMultipleImages && (
<div className="absolute bottom-4 left-4 bg-black/60 text-white px-3 py-1 rounded-full text-sm backdrop-blur-sm">
{currentImageIndex + 1} / {images.length}
</div>
)}
</div>
</div>
{/* Thumbnail Navigation */}
{hasMultipleImages && (
<div className="flex gap-3 overflow-x-auto pb-2">
{images.map((image, index) => (
<button
key={image.id}
onClick={() => goToImage(index)}
className={cn(
"relative flex-shrink-0 w-20 h-20 rounded-lg overflow-hidden border-2 transition-all duration-300",
currentImageIndex === index
? "border-black shadow-md"
: "border-gray-200 hover:border-gray-400"
)}
>
<Image
src={image.src}
alt={image.alt || `${productName} - Image ${index + 1}`}
fill
className="object-cover"
sizes="80px"
/>
</button>
))}
</div>
)}
{/* Mobile Dots Indicator */}
{hasMultipleImages && (
<div className="flex justify-center gap-2 md:hidden">
{images.map((_, index) => (
<button
key={index}
onClick={() => goToImage(index)}
className={cn(
"w-2 h-2 rounded-full transition-all duration-300",
currentImageIndex === index
? "bg-black"
: "bg-gray-300"
)}
/>
))}
</div>
)}
</div>
);
}

View File

@@ -0,0 +1,385 @@
// src/components/product/ProductInfo.tsx
'use client';
import { useState } from 'react';
import { WooCommerceProduct } from '@/types/woocommerce';
import { useCartActions } from '@/hooks/useCartSync';import { formatPrice, isOnSale, getDiscountPercentage } from '@/lib/woocommerce';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue
} from '@/components/ui/select';
import { Separator } from '@/components/ui/separator';
import {
ShoppingBag,
Heart,
Share2,
Truck,
Shield,
RotateCcw,
Star,
Plus,
Minus
} from 'lucide-react';
import { cn } from '@/lib/utils';
interface ProductInfoProps {
product: WooCommerceProduct;
}
interface ColorOption {
name: string;
value: string;
hex: string;
}
interface SizeOption {
name: string;
value: string;
available: boolean;
}
export default function ProductInfo({ product }: ProductInfoProps): JSX.Element {
const { addToCart, isInCart, getItemQuantity } = useCart();
const [selectedColor, setSelectedColor] = useState<string>('');
const [selectedSize, setSelectedSize] = useState<string>('');
const [quantity, setQuantity] = useState(1);
const [isAddingToCart, setIsAddingToCart] = useState(false);
const [isWishlisted, setIsWishlisted] = useState(false);
const discountPercentage = getDiscountPercentage(product);
const productInCart = isInCart(product.id);
const cartQuantity = getItemQuantity(product.id);
// Extraire les couleurs des attributs du produit
const colorAttribute = product.attributes?.find(attr =>
attr.name.toLowerCase().includes('couleur') ||
attr.name.toLowerCase().includes('color')
);
const sizeAttribute = product.attributes?.find(attr =>
attr.name.toLowerCase().includes('taille') ||
attr.name.toLowerCase().includes('size')
);
const colorOptions: ColorOption[] = colorAttribute?.options.map(color => ({
name: color,
value: color.toLowerCase(),
hex: getColorHex(color),
})) || [];
const sizeOptions: SizeOption[] = sizeAttribute?.options.map(size => ({
name: size,
value: size.toLowerCase(),
available: true, // Vous pouvez ajouter la logique de disponibilité ici
})) || [];
const handleAddToCart = async (): Promise<void> => {
if (isAddingToCart) return;
setIsAddingToCart(true);
try {
addToCart({
id: product.id,
name: product.name,
price: product.sale_price || product.regular_price,
image: product.images[0]?.src || '/placeholder-product.jpg',
}, quantity);
// Simulation d'une petite attente pour l'UX
await new Promise(resolve => setTimeout(resolve, 500));
} finally {
setIsAddingToCart(false);
}
};
const increaseQuantity = (): void => {
setQuantity(prev => prev + 1);
};
const decreaseQuantity = (): void => {
setQuantity(prev => Math.max(1, prev - 1));
};
const toggleWishlist = (): void => {
setIsWishlisted(!isWishlisted);
};
const shareProduct = (): void => {
if (navigator.share) {
navigator.share({
title: product.name,
text: product.short_description,
url: window.location.href,
});
} else {
// Fallback: copier l'URL dans le presse-papiers
navigator.clipboard.writeText(window.location.href);
}
};
return (
<div className="space-y-8">
{/* Product Header */}
<div className="space-y-4">
{/* Categories */}
{product.categories.length > 0 && (
<div className="flex flex-wrap gap-2">
{product.categories.map((category) => (
<Badge key={category.id} variant="outline" className="text-xs">
{category.name}
</Badge>
))}
</div>
)}
{/* Title */}
<h1 className="text-3xl md:text-4xl font-light tracking-wide text-black">
{product.name}
</h1>
{/* Ratings */}
{product.rating_count > 0 && (
<div className="flex items-center gap-2">
<div className="flex items-center">
{[...Array(5)].map((_, i) => (
<Star
key={i}
className={cn(
"w-4 h-4",
i < Math.floor(parseFloat(product.average_rating))
? "fill-yellow-400 text-yellow-400"
: "text-gray-300"
)}
/>
))}
</div>
<span className="text-sm text-gray-600">
{product.average_rating} ({product.rating_count} avis)
</span>
</div>
)}
{/* Price */}
<div className="flex items-center gap-4">
{isOnSale(product) ? (
<>
<span className="text-3xl font-medium text-black">
{formatPrice(product.sale_price)}
</span>
<span className="text-xl text-gray-500 line-through">
{formatPrice(product.regular_price)}
</span>
{discountPercentage > 0 && (
<Badge className="bg-red-500 text-white">
-{discountPercentage}%
</Badge>
)}
</>
) : (
<span className="text-3xl font-medium text-black">
{formatPrice(product.price)}
</span>
)}
</div>
{/* Short Description */}
{product.short_description && (
<div
className="text-gray-600 leading-relaxed"
dangerouslySetInnerHTML={{ __html: product.short_description }}
/>
)}
</div>
<Separator />
{/* Product Options */}
<div className="space-y-6">
{/* Colors */}
{colorOptions.length > 0 && (
<div className="space-y-3">
<Label className="text-sm font-medium">
Couleur: {selectedColor && <span className="font-normal">{selectedColor}</span>}
</Label>
<div className="flex flex-wrap gap-3">
{colorOptions.map((color) => (
<button
key={color.value}
onClick={() => setSelectedColor(color.name)}
className={cn(
"w-8 h-8 rounded-full border-2 transition-all duration-200 hover:scale-110",
selectedColor === color.name
? "border-black shadow-md scale-110"
: "border-gray-200"
)}
style={{ backgroundColor: color.hex }}
title={color.name}
/>
))}
</div>
</div>
)}
{/* Sizes */}
{sizeOptions.length > 0 && (
<div className="space-y-3">
<Label className="text-sm font-medium">Taille</Label>
<Select value={selectedSize} onValueChange={setSelectedSize}>
<SelectTrigger>
<SelectValue placeholder="Choisir une taille" />
</SelectTrigger>
<SelectContent>
{sizeOptions.map((size) => (
<SelectItem
key={size.value}
value={size.value}
disabled={!size.available}
>
{size.name} {!size.available && '(Rupture de stock)'}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
)}
{/* Quantity */}
<div className="space-y-3">
<Label className="text-sm font-medium">Quantité</Label>
<div className="flex items-center gap-4">
<div className="flex items-center border border-gray-300 rounded-lg">
<Button
variant="ghost"
size="sm"
onClick={decreaseQuantity}
disabled={quantity <= 1}
className="px-3 h-10 hover:bg-gray-100"
>
<Minus className="w-4 h-4" />
</Button>
<span className="px-4 py-2 min-w-[3rem] text-center">{quantity}</span>
<Button
variant="ghost"
size="sm"
onClick={increaseQuantity}
className="px-3 h-10 hover:bg-gray-100"
>
<Plus className="w-4 h-4" />
</Button>
</div>
{cartQuantity > 0 && (
<span className="text-sm text-gray-600">
{cartQuantity} déjà dans le panier
</span>
)}
</div>
</div>
</div>
<Separator />
{/* Action Buttons */}
<div className="space-y-4">
<Button
onClick={handleAddToCart}
disabled={isAddingToCart || !product.purchasable || product.stock_status === 'outofstock'}
className="w-full bg-black text-white hover:bg-gray-800 py-4 text-base uppercase tracking-wide transition-all duration-300"
size="lg"
>
{isAddingToCart ? (
<div className="flex items-center gap-2">
<div className="w-4 h-4 border-2 border-white border-t-transparent rounded-full animate-spin" />
Ajout en cours...
</div>
) : product.stock_status === 'outofstock' ? (
'Rupture de stock'
) : productInCart ? (
<>
<ShoppingBag className="w-5 h-5 mr-2" />
Ajouter encore ({cartQuantity} dans le panier)
</>
) : (
<>
<ShoppingBag className="w-5 h-5 mr-2" />
Ajouter au panier
</>
)}
</Button>
<div className="flex gap-3">
<Button
variant="outline"
onClick={toggleWishlist}
className={cn(
"flex-1 transition-all duration-300",
isWishlisted && "border-red-500 text-red-500 hover:bg-red-50"
)}
>
<Heart className={cn("w-5 h-5 mr-2", isWishlisted && "fill-current")} />
{isWishlisted ? 'Retiré des favoris' : 'Ajouter aux favoris'}
</Button>
<Button variant="outline" onClick={shareProduct}>
<Share2 className="w-5 h-5 mr-2" />
Partager
</Button>
</div>
</div>
<Separator />
{/* Product Features */}
<div className="space-y-4">
<div className="flex items-center gap-3 text-sm">
<Truck className="w-5 h-5 text-gray-600" />
<span>Livraison gratuite à partir de 50.000 MRU</span>
</div>
<div className="flex items-center gap-3 text-sm">
<Shield className="w-5 h-5 text-gray-600" />
<span>Garantie qualité - Retour sous 30 jours</span>
</div>
<div className="flex items-center gap-3 text-sm">
<RotateCcw className="w-5 h-5 text-gray-600" />
<span>Échange gratuit en magasin</span>
</div>
</div>
</div>
);
}
// Helper function pour les couleurs
function getColorHex(colorName: string): string {
const colorMap: { [key: string]: string } = {
'noir': '#000000',
'blanc': '#ffffff',
'rouge': '#dc2626',
'bleu': '#2563eb',
'vert': '#059669',
'jaune': '#d97706',
'violet': '#7c3aed',
'rose': '#ec4899',
'gris': '#6b7280',
'marron': '#92400e',
'beige': '#d6d3d1',
'doré': '#f59e0b',
'argenté': '#9ca3af',
};
return colorMap[colorName.toLowerCase()] || '#9ca3af';
}
function Label({ children, className = '' }: { children: React.ReactNode; className?: string }): JSX.Element {
return (
<label className={cn('block text-sm font-medium text-gray-900', className)}>
{children}
</label>
);
}

View File

@@ -0,0 +1,153 @@
// src/components/product/ProductTabs.tsx
'use client';
import { WooCommerceProduct } from '@/types/woocommerce';
import { Tabs, TabsContent, TabsList, TabsTrigger } from '@/components/ui/tabs';
import { Card, CardContent } from '@/components/ui/card';
import { Badge } from '@/components/ui/badge';
import {
Star,
Truck,
RotateCcw,
Shield
} from 'lucide-react';
interface ProductTabsProps {
product: WooCommerceProduct;
}
export default function ProductTabs({ product }: ProductTabsProps) {
const hasDescription = product.description && product.description.trim() !== '';
const hasAttributes = product.attributes && product.attributes.length > 0;
return (
<div className="w-full">
<Tabs defaultValue="description" className="w-full">
<TabsList className="grid w-full grid-cols-3">
<TabsTrigger value="description">Description</TabsTrigger>
<TabsTrigger value="specifications">Caractéristiques</TabsTrigger>
<TabsTrigger value="shipping">Livraison</TabsTrigger>
</TabsList>
<TabsContent value="description" className="mt-6">
<Card>
<CardContent className="p-6">
{hasDescription ? (
<div
className="prose prose-gray max-w-none"
dangerouslySetInnerHTML={{ __html: product.description }}
/>
) : (
<div className="text-center py-8 text-gray-500">
<p>Aucune description disponible pour ce produit.</p>
</div>
)}
</CardContent>
</Card>
</TabsContent>
<TabsContent value="specifications" className="mt-6">
<Card>
<CardContent className="p-6">
<h3 className="text-lg font-medium mb-6">Caractéristiques techniques</h3>
<div className="space-y-6">
<div>
<h4 className="font-medium text-sm mb-3 text-gray-900">Informations générales</h4>
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
<div className="flex justify-between py-2 border-b border-gray-100">
<span className="text-sm text-gray-600">SKU</span>
<span className="text-sm font-medium">{product.sku || 'N/A'}</span>
</div>
<div className="flex justify-between py-2 border-b border-gray-100">
<span className="text-sm text-gray-600">Stock</span>
<Badge
variant={product.stock_status === 'instock' ? 'secondary' : 'destructive'}
className="text-xs"
>
{product.stock_status === 'instock' ? 'En stock' : 'Rupture de stock'}
</Badge>
</div>
</div>
</div>
{hasAttributes && (
<div>
<h4 className="font-medium text-sm mb-3 text-gray-900">Attributs</h4>
<div className="space-y-3">
{product.attributes.map((attribute) => (
<div key={attribute.id} className="flex justify-between py-2 border-b border-gray-100">
<span className="text-sm text-gray-600">{attribute.name}</span>
<span className="text-sm font-medium">
{attribute.options.join(', ')}
</span>
</div>
))}
</div>
</div>
)}
</div>
</CardContent>
</Card>
</TabsContent>
<TabsContent value="shipping" className="mt-6">
<Card>
<CardContent className="p-6">
<h3 className="text-lg font-medium mb-6">Livraison et retours</h3>
<div className="space-y-8">
<div>
<h4 className="font-medium text-sm mb-4 flex items-center gap-2">
<Truck className="w-5 h-5" />
Options de livraison
</h4>
<div className="space-y-4">
<div className="flex justify-between items-center p-4 border border-gray-200 rounded-lg">
<div>
<h5 className="font-medium text-sm">Livraison standard</h5>
<p className="text-xs text-gray-600">3-5 jours ouvrés</p>
</div>
<div className="text-right">
<p className="font-medium">5.000 MRU</p>
<p className="text-xs text-gray-600">Gratuite dès 50.000 MRU</p>
</div>
</div>
</div>
</div>
<div>
<h4 className="font-medium text-sm mb-4 flex items-center gap-2">
<RotateCcw className="w-5 h-5" />
Retours et échanges
</h4>
<div className="space-y-3 text-sm">
<p> <strong>30 jours</strong> pour retourner votre article</p>
<p> Retour <strong>gratuit</strong> en magasin ou par courrier</p>
<p> Article en <strong>parfait état</strong> avec étiquettes</p>
</div>
</div>
<div>
<h4 className="font-medium text-sm mb-4 flex items-center gap-2">
<Shield className="w-5 h-5" />
Garantie qualité
</h4>
<div className="space-y-3 text-sm">
<p> Garantie <strong>2 ans</strong> contre les défauts de fabrication</p>
<p> Service client dédié pour toute réclamation</p>
<p> Engagement qualité artisanale mauritanienne</p>
</div>
</div>
</div>
</CardContent>
</Card>
</TabsContent>
</Tabs>
</div>
);
}

View File

@@ -0,0 +1,154 @@
// src/components/product/RelatedProducts.tsx
'use client';
import { WooCommerceProduct } from '@/types/woocommerce';
import ProductCard from './ProductCard';
import { Button } from '@/components/ui/button';
import { ChevronLeft, ChevronRight } from 'lucide-react';
import { useRef, useState } from 'react';
import { cn } from '@/lib/utils';
interface RelatedProductsProps {
products: WooCommerceProduct[];
title?: string;
className?: string;
}
export default function RelatedProducts({
products,
title = "Produits similaires",
className = ''
}: RelatedProductsProps): JSX.Element {
const scrollContainerRef = useRef<HTMLDivElement>(null);
const [canScrollLeft, setCanScrollLeft] = useState(false);
const [canScrollRight, setCanScrollRight] = useState(true);
const checkScrollButtons = (): void => {
if (scrollContainerRef.current) {
const { scrollLeft, scrollWidth, clientWidth } = scrollContainerRef.current;
setCanScrollLeft(scrollLeft > 0);
setCanScrollRight(scrollLeft < scrollWidth - clientWidth - 1);
}
};
const scrollLeft = (): void => {
if (scrollContainerRef.current) {
scrollContainerRef.current.scrollBy({
left: -320, // Largeur d'une carte + gap
behavior: 'smooth'
});
}
};
const scrollRight = (): void => {
if (scrollContainerRef.current) {
scrollContainerRef.current.scrollBy({
left: 320, // Largeur d'une carte + gap
behavior: 'smooth'
});
}
};
if (products.length === 0) {
return <></>;
}
return (
<section className={cn('space-y-8', className)}>
{/* Header */}
<div className="flex items-center justify-between">
<h2 className="text-2xl md:text-3xl font-light tracking-wide">
{title}
</h2>
{/* Navigation Buttons - Desktop */}
<div className="hidden md:flex items-center gap-2">
<Button
variant="outline"
size="sm"
onClick={scrollLeft}
disabled={!canScrollLeft}
className="p-2 h-9 w-9"
>
<ChevronLeft className="w-4 h-4" />
</Button>
<Button
variant="outline"
size="sm"
onClick={scrollRight}
disabled={!canScrollRight}
className="p-2 h-9 w-9"
>
<ChevronRight className="w-4 h-4" />
</Button>
</div>
</div>
{/* Products Scroll Container */}
<div className="relative">
<div
ref={scrollContainerRef}
className="flex gap-6 overflow-x-auto hide-scrollbar pb-4"
onScroll={checkScrollButtons}
style={{ scrollSnapType: 'x mandatory' }}
>
{products.map((product, index) => (
<div
key={product.id}
className="flex-none w-72 md:w-80"
style={{ scrollSnapAlign: 'start' }}
>
<ProductCard
product={product}
className="h-full animate-fade-in-up"
style={{
animationDelay: `${index * 100}ms`,
animationFillMode: 'both'
}}
/>
</div>
))}
</div>
{/* Gradient Overlays */}
<div className="absolute left-0 top-0 bottom-4 w-8 bg-gradient-to-r from-gray-50 to-transparent pointer-events-none" />
<div className="absolute right-0 top-0 bottom-4 w-8 bg-gradient-to-l from-gray-50 to-transparent pointer-events-none" />
</div>
{/* Mobile Navigation Dots */}
<div className="flex justify-center gap-2 md:hidden">
{products.map((_, index) => (
<button
key={index}
className={cn(
"w-2 h-2 rounded-full transition-all duration-300",
index === 0 ? "bg-black" : "bg-gray-300" // En production, calculer l'index actuel
)}
onClick={() => {
if (scrollContainerRef.current) {
scrollContainerRef.current.scrollTo({
left: index * 320,
behavior: 'smooth'
});
}
}}
/>
))}
</div>
{/* Alternative: Grid Layout for smaller screens */}
<div className="md:hidden">
<div className="grid grid-cols-2 gap-4 mt-8">
{products.slice(0, 4).map((product) => (
<ProductCard
key={product.id}
product={product}
className="w-full"
/>
))}
</div>
</div>
</section>
);
}

View File

@@ -0,0 +1,181 @@
// src/app/produit/[slug]/page.tsx
import { Metadata } from 'next';
import { notFound } from 'next/navigation';
import { WooCommerceService, formatPrice, isOnSale, getDiscountPercentage } from '@/lib/woocommerce';
import ProductImageGallery from '@/components/product/ProductImageGallery';
import ProductInfo from '@/components/product/ProductInfo';
import RelatedProducts from '@/components/product/RelatedProducts';
import ProductTabs from '@/components/product/ProductTabs';
import Breadcrumb from '@/components/ui/breadcrumb';
interface ProductPageProps {
params: {
slug: string;
};
}
export async function generateMetadata({ params }: ProductPageProps): Promise<Metadata> {
const response = await WooCommerceService.getProductBySlug(params.slug);
if (!response.success || !response.data) {
return {
title: 'Produit non trouvé',
};
}
const product = response.data;
const discountPercentage = getDiscountPercentage(product);
return {
title: `${product.name} - MELHFA`,
description: product.short_description || product.description,
openGraph: {
title: product.name,
description: product.short_description || product.description,
images: product.images.map(img => ({
url: img.src,
width: 800,
height: 1200,
alt: img.alt || product.name,
})),
type: 'product',
},
twitter: {
card: 'summary_large_image',
title: product.name,
description: product.short_description || product.description,
images: [product.images[0]?.src || ''],
},
alternates: {
canonical: `/produit/${product.slug}`,
},
other: {
'product:price:amount': product.price,
'product:price:currency': 'MRU',
'product:availability': product.stock_status === 'instock' ? 'in stock' : 'out of stock',
'product:condition': 'new',
...(isOnSale(product) && {
'product:sale_price:amount': product.sale_price,
'product:sale_price:currency': 'MRU',
}),
},
};
}
export default async function ProductPage({ params }: ProductPageProps): Promise<JSX.Element> {
// Récupérer le produit
const response = await WooCommerceService.getProductBySlug(params.slug);
if (!response.success || !response.data) {
notFound();
}
const product = response.data;
// Récupérer les produits liés
const relatedProductsResponse = await WooCommerceService.getProducts({
per_page: 4,
exclude: [product.id],
category: product.categories[0]?.slug,
});
const relatedProducts = relatedProductsResponse.data || [];
// Breadcrumb items
const breadcrumbItems = [
{ label: 'Accueil', href: '/' },
{ label: 'Boutique', href: '/boutique' },
...(product.categories.length > 0 ? [{
label: product.categories[0].name,
href: `/boutique?category=${product.categories[0].slug}`
}] : []),
{ label: product.name, href: `/produit/${product.slug}` },
];
return (
<div className="min-h-screen bg-white">
{/* Breadcrumb */}
<div className="max-w-[1400px] mx-auto px-6 pt-20 pb-6">
<Breadcrumb items={breadcrumbItems} />
</div>
{/* Product Details */}
<div className="max-w-[1400px] mx-auto px-6 pb-16">
<div className="grid grid-cols-1 lg:grid-cols-2 gap-12 lg:gap-16">
{/* Image Gallery */}
<div className="space-y-4">
<ProductImageGallery
images={product.images}
productName={product.name}
isOnSale={isOnSale(product)}
discountPercentage={getDiscountPercentage(product)}
isFeatured={product.featured}
/>
</div>
{/* Product Info */}
<div className="space-y-8">
<ProductInfo product={product} />
</div>
</div>
</div>
{/* Product Tabs */}
<div className="max-w-[1400px] mx-auto px-6 pb-16">
<ProductTabs product={product} />
</div>
{/* Related Products */}
{relatedProducts.length > 0 && (
<div className="bg-gray-50 py-16">
<div className="max-w-[1400px] mx-auto px-6">
<RelatedProducts products={relatedProducts} />
</div>
</div>
)}
{/* Structured Data for SEO */}
<script
type="application/ld+json"
dangerouslySetInnerHTML={{
__html: JSON.stringify({
'@context': 'https://schema.org',
'@type': 'Product',
name: product.name,
description: product.description,
image: product.images.map(img => img.src),
sku: product.sku,
mpn: product.sku,
brand: {
'@type': 'Brand',
name: 'MELHFA'
},
offers: {
'@type': 'Offer',
price: product.price,
priceCurrency: 'MRU',
availability: product.stock_status === 'instock'
? 'https://schema.org/InStock'
: 'https://schema.org/OutOfStock',
url: `${process.env.NEXT_PUBLIC_SITE_URL}/produit/${product.slug}`,
seller: {
'@type': 'Organization',
name: 'MELHFA'
},
...(isOnSale(product) && {
priceValidUntil: product.date_on_sale_to || '2024-12-31'
})
},
aggregateRating: product.rating_count > 0 ? {
'@type': 'AggregateRating',
ratingValue: product.average_rating,
reviewCount: product.rating_count
} : undefined,
category: product.categories.map(cat => cat.name).join(', '),
})
}}
/>
</div>
);
}

View File

@@ -0,0 +1,123 @@
// src/components/sections/HeroSection.tsx
'use client';
import { useEffect, useState } from 'react';
import Link from 'next/link';
import Image from 'next/image';
import { Button } from '@/components/ui/button';
import { Badge } from '@/components/ui/badge';
import { ArrowRight } from 'lucide-react';
export default function HeroSection(): JSX.Element {
const [isVisible, setIsVisible] = useState(false);
useEffect(() => {
setIsVisible(true);
}, []);
return (
<section className="relative min-h-screen flex items-center bg-gray-50 mt-16">
<div className="max-w-[1400px] mx-auto px-6 w-full">
<div className="grid grid-cols-1 lg:grid-cols-2 gap-16 items-center">
{/* Content */}
<div className={`space-y-8 ${isVisible ? 'animate-fade-in-up' : 'opacity-0'}`}>
<div className="space-y-6">
<h1 className="text-5xl md:text-6xl lg:text-7xl font-extralight leading-none tracking-tight text-black">
MELHFA
<br />
<span className="font-light">ÉLÉGANTE</span>
</h1>
<p className="text-lg md:text-xl text-gray-600 font-light leading-relaxed max-w-lg">
Découvrez l&apos;art mauritanien à travers nos voiles d&apos;exception,
alliant tradition ancestrale et élégance contemporaine.
</p>
</div>
<div className="flex flex-col sm:flex-row gap-6 items-start sm:items-center">
<Button
size="lg"
className="bg-black text-white hover:bg-gray-800 px-12 py-4 text-sm uppercase tracking-[2px] transition-all duration-300 hover:scale-105"
asChild
>
<Link href="/boutique">
Découvrir
</Link>
</Button>
<Button
variant="link"
className="text-black hover:opacity-60 text-sm uppercase tracking-[2px] p-0 h-auto border-b border-black pb-1"
asChild
>
<Link href="/collections">
Collections
<ArrowRight className="w-4 h-4 ml-2" />
</Link>
</Button>
</div>
</div>
{/* Image Section */}
<div className={`relative ${isVisible ? 'animate-fade-in-up' : 'opacity-0'} lg:order-2`}>
<div className="relative">
{/* Image principale */}
<div className="relative h-[600px] lg:h-[700px] w-full rounded-2xl overflow-hidden shadow-2xl">
<Image
src="/images/melhfa-hero.jpg"
alt="Melhfa Élégante"
fill
className="object-cover"
priority
sizes="(max-width: 768px) 100vw, 50vw"
/>
{/* Badge sur l'image */}
<div className="absolute top-6 right-6">
<Badge className="bg-black/80 text-white px-4 py-2 text-xs uppercase tracking-wide">
Nouvelle Collection
</Badge>
</div>
</div>
{/* Carte flottante */}
<div className="absolute -bottom-8 -left-8 bg-white/95 backdrop-blur-xl p-6 rounded-xl shadow-xl max-w-[200px] border border-white/20">
<div className="space-y-4">
<div className="relative h-24 w-full rounded-lg overflow-hidden">
<Image
src="/images/melhfa-thumbnail.jpg"
alt="Melhfa Premium"
fill
className="object-cover"
/>
</div>
<div className="space-y-2">
<h3 className="text-xs font-medium uppercase tracking-wide text-black">
Melhfa Premium
</h3>
<p className="text-sm text-gray-600 font-light">
À partir de 28.000 MRU
</p>
</div>
</div>
</div>
{/* Éléments décoratifs */}
<div className="absolute -top-4 -right-4 w-24 h-24 bg-gradient-to-br from-gray-200 to-gray-300 rounded-full opacity-60 -z-10" />
<div className="absolute -bottom-12 -right-12 w-32 h-32 bg-gradient-to-tl from-gray-100 to-gray-200 rounded-full opacity-40 -z-10" />
</div>
</div>
</div>
</div>
{/* Scroll indicator */}
<div className="absolute bottom-8 left-1/2 transform -translate-x-1/2 hidden lg:block">
<div className="animate-bounce">
<div className="w-1 h-12 bg-gray-400 rounded-full" />
</div>
</div>
</section>
);
}

View File

@@ -0,0 +1,156 @@
// src/components/sections/NewsletterSection.tsx
'use client';
import { useState } from 'react';
import { Button } from '@/components/ui/button';
import { Input } from '@/components/ui/input';
import { Mail, CheckCircle } from 'lucide-react';
export default function NewsletterSection(): JSX.Element {
const [email, setEmail] = useState('');
const [isSubmitting, setIsSubmitting] = useState(false);
const [isSubmitted, setIsSubmitted] = useState(false);
const [error, setError] = useState('');
const handleSubmit = async (e: React.FormEvent): Promise<void> => {
e.preventDefault();
if (!email || !email.includes('@')) {
setError('Veuillez entrer une adresse email valide');
return;
}
setIsSubmitting(true);
setError('');
try {
// Simuler l'appel API
await new Promise(resolve => setTimeout(resolve, 1000));
setIsSubmitted(true);
setEmail('');
// Reset après 3 secondes
setTimeout(() => {
setIsSubmitted(false);
}, 3000);
} catch (err) {
setError('Une erreur est survenue. Veuillez réessayer.');
} finally {
setIsSubmitting(false);
}
};
if (isSubmitted) {
return (
<section className="py-20 bg-gray-50">
<div className="max-w-[1400px] mx-auto px-6 text-center">
<div className="max-w-md mx-auto space-y-6">
<div className="w-16 h-16 bg-green-500 rounded-full flex items-center justify-center mx-auto">
<CheckCircle className="w-8 h-8 text-white" />
</div>
<h2 className="text-2xl font-light tracking-wide">Merci !</h2>
<p className="text-gray-600">
Vous êtes maintenant inscrit(e) à notre newsletter.
Vous recevrez bientôt nos dernières actualités.
</p>
</div>
</div>
</section>
);
}
return (
<section className="py-20 bg-gray-50">
<div className="max-w-[1400px] mx-auto px-6 text-center">
<div className="max-w-2xl mx-auto space-y-8">
{/* Icon */}
<div className="flex justify-center">
<div className="w-16 h-16 bg-black rounded-full flex items-center justify-center">
<Mail className="w-8 h-8 text-white" />
</div>
</div>
{/* Titre et description */}
<div className="space-y-4">
<h2 className="text-3xl md:text-4xl font-light tracking-wide text-black">
Restez informé
</h2>
<p className="text-gray-600 text-lg">
Recevez nos dernières collections et offres exclusives directement dans votre boîte mail
</p>
</div>
{/* Formulaire */}
<form onSubmit={handleSubmit} className="max-w-md mx-auto space-y-4">
<div className="flex flex-col sm:flex-row gap-4">
<div className="flex-1">
<Input
type="email"
placeholder="Votre adresse email"
value={email}
onChange={(e) => setEmail(e.target.value)}
className="w-full px-4 py-3 text-sm border border-gray-300 focus:border-black focus:ring-0 rounded-none"
disabled={isSubmitting}
/>
{error && (
<p className="text-red-500 text-xs mt-2 text-left">{error}</p>
)}
</div>
<Button
type="submit"
disabled={isSubmitting || !email}
className="bg-black text-white hover:bg-gray-800 px-8 py-3 text-sm uppercase tracking-[2px] transition-all duration-300 rounded-none whitespace-nowrap"
>
{isSubmitting ? (
<div className="flex items-center space-x-2">
<div className="w-4 h-4 border-2 border-white border-t-transparent rounded-full animate-spin" />
<span>Envoi...</span>
</div>
) : (
"S'abonner"
)}
</Button>
</div>
</form>
{/* Informations supplémentaires */}
<div className="space-y-3 text-sm text-gray-500">
<p>
En vous abonnant, vous acceptez de recevoir nos communications marketing.
</p>
<div className="flex justify-center space-x-6 text-xs">
<span> Pas de spam</span>
<span> Désabonnement facile</span>
<span> 1-2 emails par mois maximum</span>
</div>
</div>
{/* Avantages de l'inscription */}
<div className="grid grid-cols-1 md:grid-cols-3 gap-6 pt-8 border-t border-gray-200">
<div className="space-y-2">
<h4 className="font-medium text-black">Offres exclusives</h4>
<p className="text-sm text-gray-600">
Accès privilégié à nos soldes privées
</p>
</div>
<div className="space-y-2">
<h4 className="font-medium text-black">Nouvelles collections</h4>
<p className="text-sm text-gray-600">
Soyez la première à découvrir nos créations
</p>
</div>
<div className="space-y-2">
<h4 className="font-medium text-black">Conseils style</h4>
<p className="text-sm text-gray-600">
Tips et inspirations mode mauritanienne
</p>
</div>
</div>
</div>
</div>
</section>
);
}

View File

@@ -0,0 +1,95 @@
// src/components/sections/PromoSection.tsx
'use client';
import Link from 'next/link';
import { Button } from '@/components/ui/button';
import { Sparkles } from 'lucide-react';
export default function PromoSection(): JSX.Element {
return (
<section className="relative py-20 overflow-hidden">
{/* Background avec dégradé */}
<div className="absolute inset-0 bg-gradient-to-br from-indigo-600 via-purple-700 to-indigo-800" />
{/* Motifs décoratifs */}
<div className="absolute inset-0 opacity-10">
<div className="absolute top-10 left-10 w-20 h-20 border-2 border-white rounded-full" />
<div className="absolute top-32 right-20 w-16 h-16 border border-white rounded-full" />
<div className="absolute bottom-20 left-1/4 w-12 h-12 border border-white rounded-full" />
<div className="absolute bottom-32 right-1/3 w-24 h-24 border-2 border-white rounded-full" />
</div>
<div className="relative max-w-[1400px] mx-auto px-6 text-center">
<div className="max-w-4xl mx-auto space-y-8">
{/* Icon */}
<div className="flex justify-center">
<div className="w-16 h-16 bg-white/20 rounded-full flex items-center justify-center backdrop-blur-sm">
<Sparkles className="w-8 h-8 text-white" />
</div>
</div>
{/* Titre principal */}
<div className="space-y-4">
<h2 className="text-4xl md:text-5xl lg:text-6xl font-light text-white tracking-wide">
SOLDES D&apos;É
</h2>
<p className="text-xl md:text-2xl text-white/90 font-light">
Jusqu&apos;à -40% sur une sélection de voiles premium
</p>
</div>
{/* Description */}
<p className="text-lg text-white/80 max-w-2xl mx-auto leading-relaxed">
Profitez de nos offres exceptionnelles sur les plus belles créations de nos artisans.
Une occasion unique de découvrir l&apos;élégance mauritanienne à prix réduit.
</p>
{/* CTA Buttons */}
<div className="flex flex-col sm:flex-row gap-4 justify-center items-center pt-4">
<Button
size="lg"
className="bg-white text-black hover:bg-gray-100 px-8 py-4 text-sm uppercase tracking-[2px] transition-all duration-300 hover:scale-105"
asChild
>
<Link href="/boutique?filter=sale">
Voir les offres
</Link>
</Button>
<Button
variant="ghost"
size="lg"
className="text-white border border-white/30 hover:bg-white/10 px-8 py-4 text-sm uppercase tracking-[2px] backdrop-blur-sm"
asChild
>
<Link href="/collections">
Toutes les collections
</Link>
</Button>
</div>
{/* Informations complémentaires */}
<div className="pt-8 space-y-2">
<p className="text-sm text-white/70 uppercase tracking-wide">
Offre valable jusqu&apos;au 31 août 2024
</p>
<div className="flex justify-center space-x-8 text-xs text-white/60">
<span> Livraison gratuite</span>
<span> Retour sous 30 jours</span>
<span> Paiement sécurisé</span>
</div>
</div>
</div>
</div>
{/* Particules flottantes */}
<div className="absolute inset-0 overflow-hidden pointer-events-none">
<div className="absolute top-1/4 left-1/4 w-2 h-2 bg-white rounded-full opacity-60 animate-ping" style={{ animationDelay: '0s' }} />
<div className="absolute top-1/3 right-1/4 w-1 h-1 bg-white rounded-full opacity-40 animate-ping" style={{ animationDelay: '1s' }} />
<div className="absolute bottom-1/4 left-1/3 w-1.5 h-1.5 bg-white rounded-full opacity-50 animate-ping" style={{ animationDelay: '2s' }} />
<div className="absolute bottom-1/3 right-1/3 w-1 h-1 bg-white rounded-full opacity-30 animate-ping" style={{ animationDelay: '3s' }} />
</div>
</section>
);
}

View File

@@ -0,0 +1,63 @@
// src/components/ui/accordion.tsx
"use client"
import * as React from "react"
import * as AccordionPrimitive from "@radix-ui/react-accordion"
import { ChevronDown } from "lucide-react"
import { cn } from "@/lib/utils"
const Accordion = AccordionPrimitive.Root
const AccordionItem = React.forwardRef<
React.ElementRef<typeof AccordionPrimitive.Item>,
React.ComponentPropsWithoutRef<typeof AccordionPrimitive.Item>
>(({ className, ...props }, ref) => (
<AccordionPrimitive.Item
ref={ref}
className={cn("border-b", className)}
{...props}
/>
))
AccordionItem.displayName = "AccordionItem"
const AccordionTrigger = React.forwardRef<
React.ElementRef<typeof AccordionPrimitive.Trigger>,
React.ComponentPropsWithoutRef<typeof AccordionPrimitive.Trigger>
>(({ className, children, ...props }, ref) => (
<AccordionPrimitive.Header className="flex">
<AccordionPrimitive.Trigger
ref={ref}
className={cn(
"flex flex-1 items-center justify-between py-4 font-medium transition-all hover:underline [&[data-state=open]>svg]:rotate-180",
className
)}
{...props}
>
{children}
<ChevronDown className="h-4 w-4 shrink-0 transition-transform duration-200" />
</AccordionPrimitive.Trigger>
</AccordionPrimitive.Header>
))
AccordionTrigger.displayName = AccordionPrimitive.Trigger.displayName
const AccordionContent = React.forwardRef<
React.ElementRef<typeof AccordionPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof AccordionPrimitive.Content>
>(({ className, children, ...props }, ref) => (
<AccordionPrimitive.Content
ref={ref}
className="overflow-hidden text-sm transition-all data-[state=closed]:animate-accordion-up data-[state=open]:animate-accordion-down"
{...props}
>
<div className={cn("pb-4 pt-0", className)}>{children}</div>
</AccordionPrimitive.Content>
))
AccordionContent.displayName = AccordionPrimitive.Content.displayName
export {
Accordion,
AccordionItem,
AccordionTrigger,
AccordionContent,
}

View File

@@ -0,0 +1,46 @@
import * as React from "react"
import { Slot } from "@radix-ui/react-slot"
import { cva, type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
const badgeVariants = cva(
"inline-flex items-center justify-center rounded-md border px-2 py-0.5 text-xs font-medium w-fit whitespace-nowrap shrink-0 [&>svg]:size-3 gap-1 [&>svg]:pointer-events-none focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px] aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive transition-[color,box-shadow] overflow-hidden",
{
variants: {
variant: {
default:
"border-transparent bg-primary text-primary-foreground [a&]:hover:bg-primary/90",
secondary:
"border-transparent bg-secondary text-secondary-foreground [a&]:hover:bg-secondary/90",
destructive:
"border-transparent bg-destructive text-white [a&]:hover:bg-destructive/90 focus-visible:ring-destructive/20 dark:focus-visible:ring-destructive/40 dark:bg-destructive/60",
outline:
"text-foreground [a&]:hover:bg-accent [a&]:hover:text-accent-foreground",
},
},
defaultVariants: {
variant: "default",
},
}
)
function Badge({
className,
variant,
asChild = false,
...props
}: React.ComponentProps<"span"> &
VariantProps<typeof badgeVariants> & { asChild?: boolean }) {
const Comp = asChild ? Slot : "span"
return (
<Comp
data-slot="badge"
className={cn(badgeVariants({ variant }), className)}
{...props}
/>
)
}
export { Badge, badgeVariants }

View File

@@ -0,0 +1,52 @@
// src/components / ui / breadcrumb.tsx
import React from "react"
import Link from "next/link"
import { ChevronRight, Home } from "lucide-react"
import { cn } from "@/lib/utils"
interface BreadcrumbItem {
label: string
href: string
}
interface BreadcrumbProps {
items: BreadcrumbItem[]
className?: string
}
export default function Breadcrumb({ items, className }: BreadcrumbProps): JSX.Element {
return (
<nav aria-label="Breadcrumb" className={cn("flex", className)}>
<ol className="inline-flex items-center space-x-1 md:space-x-3">
<li className="inline-flex items-center">
<Link
href="/"
className="inline-flex items-center text-sm font-medium text-gray-700 hover:text-black"
>
<Home className="w-4 h-4 mr-2" />
Accueil
</Link>
</li>
{items.slice(1).map((item, index) => (
<li key={item.href}>
<div className="flex items-center">
<ChevronRight className="w-4 h-4 text-gray-400" />
{index === items.length - 2 ? (
<span className="ml-1 text-sm font-medium text-gray-500 md:ml-2">
{item.label}
</span>
) : (
<Link
href={item.href}
className="ml-1 text-sm font-medium text-gray-700 hover:text-black md:ml-2"
>
{item.label}
</Link>
)}
</div>
</li>
))}
</ol>
</nav>
)
}

View File

@@ -0,0 +1,59 @@
import * as React from "react"
import { Slot } from "@radix-ui/react-slot"
import { cva, type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
const buttonVariants = cva(
"inline-flex items-center justify-center gap-2 whitespace-nowrap rounded-md text-sm font-medium transition-all disabled:pointer-events-none disabled:opacity-50 [&_svg]:pointer-events-none [&_svg:not([class*='size-'])]:size-4 shrink-0 [&_svg]:shrink-0 outline-none focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px] aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive",
{
variants: {
variant: {
default:
"bg-primary text-primary-foreground shadow-xs hover:bg-primary/90",
destructive:
"bg-destructive text-white shadow-xs hover:bg-destructive/90 focus-visible:ring-destructive/20 dark:focus-visible:ring-destructive/40 dark:bg-destructive/60",
outline:
"border bg-background shadow-xs hover:bg-accent hover:text-accent-foreground dark:bg-input/30 dark:border-input dark:hover:bg-input/50",
secondary:
"bg-secondary text-secondary-foreground shadow-xs hover:bg-secondary/80",
ghost:
"hover:bg-accent hover:text-accent-foreground dark:hover:bg-accent/50",
link: "text-primary underline-offset-4 hover:underline",
},
size: {
default: "h-9 px-4 py-2 has-[>svg]:px-3",
sm: "h-8 rounded-md gap-1.5 px-3 has-[>svg]:px-2.5",
lg: "h-10 rounded-md px-6 has-[>svg]:px-4",
icon: "size-9",
},
},
defaultVariants: {
variant: "default",
size: "default",
},
}
)
function Button({
className,
variant,
size,
asChild = false,
...props
}: React.ComponentProps<"button"> &
VariantProps<typeof buttonVariants> & {
asChild?: boolean
}) {
const Comp = asChild ? Slot : "button"
return (
<Comp
data-slot="button"
className={cn(buttonVariants({ variant, size, className }))}
{...props}
/>
)
}
export { Button, buttonVariants }

View File

@@ -0,0 +1,92 @@
import * as React from "react"
import { cn } from "@/lib/utils"
function Card({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card"
className={cn(
"bg-card text-card-foreground flex flex-col gap-6 rounded-xl border py-6 shadow-sm",
className
)}
{...props}
/>
)
}
function CardHeader({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-header"
className={cn(
"@container/card-header grid auto-rows-min grid-rows-[auto_auto] items-start gap-1.5 px-6 has-data-[slot=card-action]:grid-cols-[1fr_auto] [.border-b]:pb-6",
className
)}
{...props}
/>
)
}
function CardTitle({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-title"
className={cn("leading-none font-semibold", className)}
{...props}
/>
)
}
function CardDescription({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-description"
className={cn("text-muted-foreground text-sm", className)}
{...props}
/>
)
}
function CardAction({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-action"
className={cn(
"col-start-2 row-span-2 row-start-1 self-start justify-self-end",
className
)}
{...props}
/>
)
}
function CardContent({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-content"
className={cn("px-6", className)}
{...props}
/>
)
}
function CardFooter({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="card-footer"
className={cn("flex items-center px-6 [.border-t]:pt-6", className)}
{...props}
/>
)
}
export {
Card,
CardHeader,
CardFooter,
CardTitle,
CardAction,
CardDescription,
CardContent,
}

View File

@@ -0,0 +1,241 @@
"use client"
import * as React from "react"
import useEmblaCarousel, {
type UseEmblaCarouselType,
} from "embla-carousel-react"
import { ArrowLeft, ArrowRight } from "lucide-react"
import { cn } from "@/lib/utils"
import { Button } from "@/components/ui/button"
type CarouselApi = UseEmblaCarouselType[1]
type UseCarouselParameters = Parameters<typeof useEmblaCarousel>
type CarouselOptions = UseCarouselParameters[0]
type CarouselPlugin = UseCarouselParameters[1]
type CarouselProps = {
opts?: CarouselOptions
plugins?: CarouselPlugin
orientation?: "horizontal" | "vertical"
setApi?: (api: CarouselApi) => void
}
type CarouselContextProps = {
carouselRef: ReturnType<typeof useEmblaCarousel>[0]
api: ReturnType<typeof useEmblaCarousel>[1]
scrollPrev: () => void
scrollNext: () => void
canScrollPrev: boolean
canScrollNext: boolean
} & CarouselProps
const CarouselContext = React.createContext<CarouselContextProps | null>(null)
function useCarousel() {
const context = React.useContext(CarouselContext)
if (!context) {
throw new Error("useCarousel must be used within a <Carousel />")
}
return context
}
function Carousel({
orientation = "horizontal",
opts,
setApi,
plugins,
className,
children,
...props
}: React.ComponentProps<"div"> & CarouselProps) {
const [carouselRef, api] = useEmblaCarousel(
{
...opts,
axis: orientation === "horizontal" ? "x" : "y",
},
plugins
)
const [canScrollPrev, setCanScrollPrev] = React.useState(false)
const [canScrollNext, setCanScrollNext] = React.useState(false)
const onSelect = React.useCallback((api: CarouselApi) => {
if (!api) return
setCanScrollPrev(api.canScrollPrev())
setCanScrollNext(api.canScrollNext())
}, [])
const scrollPrev = React.useCallback(() => {
api?.scrollPrev()
}, [api])
const scrollNext = React.useCallback(() => {
api?.scrollNext()
}, [api])
const handleKeyDown = React.useCallback(
(event: React.KeyboardEvent<HTMLDivElement>) => {
if (event.key === "ArrowLeft") {
event.preventDefault()
scrollPrev()
} else if (event.key === "ArrowRight") {
event.preventDefault()
scrollNext()
}
},
[scrollPrev, scrollNext]
)
React.useEffect(() => {
if (!api || !setApi) return
setApi(api)
}, [api, setApi])
React.useEffect(() => {
if (!api) return
onSelect(api)
api.on("reInit", onSelect)
api.on("select", onSelect)
return () => {
api?.off("select", onSelect)
}
}, [api, onSelect])
return (
<CarouselContext.Provider
value={{
carouselRef,
api: api,
opts,
orientation:
orientation || (opts?.axis === "y" ? "vertical" : "horizontal"),
scrollPrev,
scrollNext,
canScrollPrev,
canScrollNext,
}}
>
<div
onKeyDownCapture={handleKeyDown}
className={cn("relative", className)}
role="region"
aria-roledescription="carousel"
data-slot="carousel"
{...props}
>
{children}
</div>
</CarouselContext.Provider>
)
}
function CarouselContent({ className, ...props }: React.ComponentProps<"div">) {
const { carouselRef, orientation } = useCarousel()
return (
<div
ref={carouselRef}
className="overflow-hidden"
data-slot="carousel-content"
>
<div
className={cn(
"flex",
orientation === "horizontal" ? "-ml-4" : "-mt-4 flex-col",
className
)}
{...props}
/>
</div>
)
}
function CarouselItem({ className, ...props }: React.ComponentProps<"div">) {
const { orientation } = useCarousel()
return (
<div
role="group"
aria-roledescription="slide"
data-slot="carousel-item"
className={cn(
"min-w-0 shrink-0 grow-0 basis-full",
orientation === "horizontal" ? "pl-4" : "pt-4",
className
)}
{...props}
/>
)
}
function CarouselPrevious({
className,
variant = "outline",
size = "icon",
...props
}: React.ComponentProps<typeof Button>) {
const { orientation, scrollPrev, canScrollPrev } = useCarousel()
return (
<Button
data-slot="carousel-previous"
variant={variant}
size={size}
className={cn(
"absolute size-8 rounded-full",
orientation === "horizontal"
? "top-1/2 -left-12 -translate-y-1/2"
: "-top-12 left-1/2 -translate-x-1/2 rotate-90",
className
)}
disabled={!canScrollPrev}
onClick={scrollPrev}
{...props}
>
<ArrowLeft />
<span className="sr-only">Previous slide</span>
</Button>
)
}
function CarouselNext({
className,
variant = "outline",
size = "icon",
...props
}: React.ComponentProps<typeof Button>) {
const { orientation, scrollNext, canScrollNext } = useCarousel()
return (
<Button
data-slot="carousel-next"
variant={variant}
size={size}
className={cn(
"absolute size-8 rounded-full",
orientation === "horizontal"
? "top-1/2 -right-12 -translate-y-1/2"
: "-bottom-12 left-1/2 -translate-x-1/2 rotate-90",
className
)}
disabled={!canScrollNext}
onClick={scrollNext}
{...props}
>
<ArrowRight />
<span className="sr-only">Next slide</span>
</Button>
)
}
export {
type CarouselApi,
Carousel,
CarouselContent,
CarouselItem,
CarouselPrevious,
CarouselNext,
}

View File

@@ -0,0 +1,30 @@
// src/components/ui/checkbox.tsx
"use client"
import * as React from "react"
import * as CheckboxPrimitive from "@radix-ui/react-checkbox"
import { Check } from "lucide-react"
import { cn } from "@/lib/utils"
const Checkbox = React.forwardRef<
React.ElementRef<typeof CheckboxPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof CheckboxPrimitive.Root>
>(({ className, ...props }, ref) => (
<CheckboxPrimitive.Root
ref={ref}
className={cn(
"peer h-4 w-4 shrink-0 rounded-sm border border-primary ring-offset-background focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:cursor-not-allowed disabled:opacity-50 data-[state=checked]:bg-primary data-[state=checked]:text-primary-foreground",
className
)}
{...props}
>
<CheckboxPrimitive.Indicator
className={cn("flex items-center justify-center text-current")}
>
<Check className="h-4 w-4" />
</CheckboxPrimitive.Indicator>
</CheckboxPrimitive.Root>
))
Checkbox.displayName = CheckboxPrimitive.Root.displayName
export { Checkbox }

View File

@@ -0,0 +1,143 @@
"use client"
import * as React from "react"
import * as DialogPrimitive from "@radix-ui/react-dialog"
import { XIcon } from "lucide-react"
import { cn } from "@/lib/utils"
function Dialog({
...props
}: React.ComponentProps<typeof DialogPrimitive.Root>) {
return <DialogPrimitive.Root data-slot="dialog" {...props} />
}
function DialogTrigger({
...props
}: React.ComponentProps<typeof DialogPrimitive.Trigger>) {
return <DialogPrimitive.Trigger data-slot="dialog-trigger" {...props} />
}
function DialogPortal({
...props
}: React.ComponentProps<typeof DialogPrimitive.Portal>) {
return <DialogPrimitive.Portal data-slot="dialog-portal" {...props} />
}
function DialogClose({
...props
}: React.ComponentProps<typeof DialogPrimitive.Close>) {
return <DialogPrimitive.Close data-slot="dialog-close" {...props} />
}
function DialogOverlay({
className,
...props
}: React.ComponentProps<typeof DialogPrimitive.Overlay>) {
return (
<DialogPrimitive.Overlay
data-slot="dialog-overlay"
className={cn(
"data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 fixed inset-0 z-50 bg-black/50",
className
)}
{...props}
/>
)
}
function DialogContent({
className,
children,
showCloseButton = true,
...props
}: React.ComponentProps<typeof DialogPrimitive.Content> & {
showCloseButton?: boolean
}) {
return (
<DialogPortal data-slot="dialog-portal">
<DialogOverlay />
<DialogPrimitive.Content
data-slot="dialog-content"
className={cn(
"bg-background data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 fixed top-[50%] left-[50%] z-50 grid w-full max-w-[calc(100%-2rem)] translate-x-[-50%] translate-y-[-50%] gap-4 rounded-lg border p-6 shadow-lg duration-200 sm:max-w-lg",
className
)}
{...props}
>
{children}
{showCloseButton && (
<DialogPrimitive.Close
data-slot="dialog-close"
className="ring-offset-background focus:ring-ring data-[state=open]:bg-accent data-[state=open]:text-muted-foreground absolute top-4 right-4 rounded-xs opacity-70 transition-opacity hover:opacity-100 focus:ring-2 focus:ring-offset-2 focus:outline-hidden disabled:pointer-events-none [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4"
>
<XIcon />
<span className="sr-only">Close</span>
</DialogPrimitive.Close>
)}
</DialogPrimitive.Content>
</DialogPortal>
)
}
function DialogHeader({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="dialog-header"
className={cn("flex flex-col gap-2 text-center sm:text-left", className)}
{...props}
/>
)
}
function DialogFooter({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="dialog-footer"
className={cn(
"flex flex-col-reverse gap-2 sm:flex-row sm:justify-end",
className
)}
{...props}
/>
)
}
function DialogTitle({
className,
...props
}: React.ComponentProps<typeof DialogPrimitive.Title>) {
return (
<DialogPrimitive.Title
data-slot="dialog-title"
className={cn("text-lg leading-none font-semibold", className)}
{...props}
/>
)
}
function DialogDescription({
className,
...props
}: React.ComponentProps<typeof DialogPrimitive.Description>) {
return (
<DialogPrimitive.Description
data-slot="dialog-description"
className={cn("text-muted-foreground text-sm", className)}
{...props}
/>
)
}
export {
Dialog,
DialogClose,
DialogContent,
DialogDescription,
DialogFooter,
DialogHeader,
DialogOverlay,
DialogPortal,
DialogTitle,
DialogTrigger,
}

View File

@@ -0,0 +1,257 @@
"use client"
import * as React from "react"
import * as DropdownMenuPrimitive from "@radix-ui/react-dropdown-menu"
import { CheckIcon, ChevronRightIcon, CircleIcon } from "lucide-react"
import { cn } from "@/lib/utils"
function DropdownMenu({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Root>) {
return <DropdownMenuPrimitive.Root data-slot="dropdown-menu" {...props} />
}
function DropdownMenuPortal({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Portal>) {
return (
<DropdownMenuPrimitive.Portal data-slot="dropdown-menu-portal" {...props} />
)
}
function DropdownMenuTrigger({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Trigger>) {
return (
<DropdownMenuPrimitive.Trigger
data-slot="dropdown-menu-trigger"
{...props}
/>
)
}
function DropdownMenuContent({
className,
sideOffset = 4,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Content>) {
return (
<DropdownMenuPrimitive.Portal>
<DropdownMenuPrimitive.Content
data-slot="dropdown-menu-content"
sideOffset={sideOffset}
className={cn(
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 max-h-(--radix-dropdown-menu-content-available-height) min-w-[8rem] origin-(--radix-dropdown-menu-content-transform-origin) overflow-x-hidden overflow-y-auto rounded-md border p-1 shadow-md",
className
)}
{...props}
/>
</DropdownMenuPrimitive.Portal>
)
}
function DropdownMenuGroup({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Group>) {
return (
<DropdownMenuPrimitive.Group data-slot="dropdown-menu-group" {...props} />
)
}
function DropdownMenuItem({
className,
inset,
variant = "default",
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Item> & {
inset?: boolean
variant?: "default" | "destructive"
}) {
return (
<DropdownMenuPrimitive.Item
data-slot="dropdown-menu-item"
data-inset={inset}
data-variant={variant}
className={cn(
"focus:bg-accent focus:text-accent-foreground data-[variant=destructive]:text-destructive data-[variant=destructive]:focus:bg-destructive/10 dark:data-[variant=destructive]:focus:bg-destructive/20 data-[variant=destructive]:focus:text-destructive data-[variant=destructive]:*:[svg]:!text-destructive [&_svg:not([class*='text-'])]:text-muted-foreground relative flex cursor-default items-center gap-2 rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 data-[inset]:pl-8 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
/>
)
}
function DropdownMenuCheckboxItem({
className,
children,
checked,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.CheckboxItem>) {
return (
<DropdownMenuPrimitive.CheckboxItem
data-slot="dropdown-menu-checkbox-item"
className={cn(
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-sm py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
checked={checked}
{...props}
>
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
<DropdownMenuPrimitive.ItemIndicator>
<CheckIcon className="size-4" />
</DropdownMenuPrimitive.ItemIndicator>
</span>
{children}
</DropdownMenuPrimitive.CheckboxItem>
)
}
function DropdownMenuRadioGroup({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.RadioGroup>) {
return (
<DropdownMenuPrimitive.RadioGroup
data-slot="dropdown-menu-radio-group"
{...props}
/>
)
}
function DropdownMenuRadioItem({
className,
children,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.RadioItem>) {
return (
<DropdownMenuPrimitive.RadioItem
data-slot="dropdown-menu-radio-item"
className={cn(
"focus:bg-accent focus:text-accent-foreground relative flex cursor-default items-center gap-2 rounded-sm py-1.5 pr-2 pl-8 text-sm outline-hidden select-none data-[disabled]:pointer-events-none data-[disabled]:opacity-50 [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
>
<span className="pointer-events-none absolute left-2 flex size-3.5 items-center justify-center">
<DropdownMenuPrimitive.ItemIndicator>
<CircleIcon className="size-2 fill-current" />
</DropdownMenuPrimitive.ItemIndicator>
</span>
{children}
</DropdownMenuPrimitive.RadioItem>
)
}
function DropdownMenuLabel({
className,
inset,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Label> & {
inset?: boolean
}) {
return (
<DropdownMenuPrimitive.Label
data-slot="dropdown-menu-label"
data-inset={inset}
className={cn(
"px-2 py-1.5 text-sm font-medium data-[inset]:pl-8",
className
)}
{...props}
/>
)
}
function DropdownMenuSeparator({
className,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Separator>) {
return (
<DropdownMenuPrimitive.Separator
data-slot="dropdown-menu-separator"
className={cn("bg-border -mx-1 my-1 h-px", className)}
{...props}
/>
)
}
function DropdownMenuShortcut({
className,
...props
}: React.ComponentProps<"span">) {
return (
<span
data-slot="dropdown-menu-shortcut"
className={cn(
"text-muted-foreground ml-auto text-xs tracking-widest",
className
)}
{...props}
/>
)
}
function DropdownMenuSub({
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.Sub>) {
return <DropdownMenuPrimitive.Sub data-slot="dropdown-menu-sub" {...props} />
}
function DropdownMenuSubTrigger({
className,
inset,
children,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.SubTrigger> & {
inset?: boolean
}) {
return (
<DropdownMenuPrimitive.SubTrigger
data-slot="dropdown-menu-sub-trigger"
data-inset={inset}
className={cn(
"focus:bg-accent focus:text-accent-foreground data-[state=open]:bg-accent data-[state=open]:text-accent-foreground flex cursor-default items-center rounded-sm px-2 py-1.5 text-sm outline-hidden select-none data-[inset]:pl-8",
className
)}
{...props}
>
{children}
<ChevronRightIcon className="ml-auto size-4" />
</DropdownMenuPrimitive.SubTrigger>
)
}
function DropdownMenuSubContent({
className,
...props
}: React.ComponentProps<typeof DropdownMenuPrimitive.SubContent>) {
return (
<DropdownMenuPrimitive.SubContent
data-slot="dropdown-menu-sub-content"
className={cn(
"bg-popover text-popover-foreground data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2 z-50 min-w-[8rem] origin-(--radix-dropdown-menu-content-transform-origin) overflow-hidden rounded-md border p-1 shadow-lg",
className
)}
{...props}
/>
)
}
export {
DropdownMenu,
DropdownMenuPortal,
DropdownMenuTrigger,
DropdownMenuContent,
DropdownMenuGroup,
DropdownMenuLabel,
DropdownMenuItem,
DropdownMenuCheckboxItem,
DropdownMenuRadioGroup,
DropdownMenuRadioItem,
DropdownMenuSeparator,
DropdownMenuShortcut,
DropdownMenuSub,
DropdownMenuSubTrigger,
DropdownMenuSubContent,
}

View File

@@ -0,0 +1,21 @@
import * as React from "react"
import { cn } from "@/lib/utils"
function Input({ className, type, ...props }: React.ComponentProps<"input">) {
return (
<input
type={type}
data-slot="input"
className={cn(
"file:text-foreground placeholder:text-muted-foreground selection:bg-primary selection:text-primary-foreground dark:bg-input/30 border-input flex h-9 w-full min-w-0 rounded-md border bg-transparent px-3 py-1 text-base shadow-xs transition-[color,box-shadow] outline-none file:inline-flex file:h-7 file:border-0 file:bg-transparent file:text-sm file:font-medium disabled:pointer-events-none disabled:cursor-not-allowed disabled:opacity-50 md:text-sm",
"focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:ring-[3px]",
"aria-invalid:ring-destructive/20 dark:aria-invalid:ring-destructive/40 aria-invalid:border-destructive",
className
)}
{...props}
/>
)
}
export { Input }

View File

@@ -0,0 +1,26 @@
// src/components/ui/label.tsx
"use client"
import * as React from "react"
import * as LabelPrimitive from "@radix-ui/react-label"
import { cva, type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
const labelVariants = cva(
"text-sm font-medium leading-none peer-disabled:cursor-not-allowed peer-disabled:opacity-70"
)
const Label = React.forwardRef<
React.ElementRef<typeof LabelPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof LabelPrimitive.Root> &
VariantProps<typeof labelVariants>
>(({ className, ...props }, ref) => (
<LabelPrimitive.Root
ref={ref}
className={cn(labelVariants(), className)}
{...props}
/>
))
Label.displayName = LabelPrimitive.Root.displayName
export { Label }

View File

@@ -0,0 +1,157 @@
"use client"
import * as React from "react"
import * as SelectPrimitive from "@radix-ui/react-select"
import { Check, ChevronDown, ChevronUp } from "lucide-react"
import { cn } from "@/lib/utils"
const Select = SelectPrimitive.Root
const SelectGroup = SelectPrimitive.Group
const SelectValue = SelectPrimitive.Value
const SelectTrigger = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.Trigger>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Trigger>
>(({ className, children, ...props }, ref) => (
<SelectPrimitive.Trigger
ref={ref}
className={cn(
"flex h-10 w-full items-center justify-between rounded-md border border-input bg-background px-3 py-2 text-sm ring-offset-background placeholder:text-muted-foreground focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2 disabled:cursor-not-allowed disabled:opacity-50 [&>span]:line-clamp-1",
className
)}
{...props}
>
{children}
<SelectPrimitive.Icon asChild>
<ChevronDown className="h-4 w-4 opacity-50" />
</SelectPrimitive.Icon>
</SelectPrimitive.Trigger>
))
SelectTrigger.displayName = SelectPrimitive.Trigger.displayName
const SelectScrollUpButton = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.ScrollUpButton>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.ScrollUpButton>
>(({ className, ...props }, ref) => (
<SelectPrimitive.ScrollUpButton
ref={ref}
className={cn(
"flex cursor-default items-center justify-center py-1",
className
)}
{...props}
>
<ChevronUp className="h-4 w-4" />
</SelectPrimitive.ScrollUpButton>
))
SelectScrollUpButton.displayName = SelectPrimitive.ScrollUpButton.displayName
const SelectScrollDownButton = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.ScrollDownButton>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.ScrollDownButton>
>(({ className, ...props }, ref) => (
<SelectPrimitive.ScrollDownButton
ref={ref}
className={cn(
"flex cursor-default items-center justify-center py-1",
className
)}
{...props}
>
<ChevronDown className="h-4 w-4" />
</SelectPrimitive.ScrollDownButton>
))
SelectScrollDownButton.displayName =
SelectPrimitive.ScrollDownButton.displayName
const SelectContent = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Content>
>(({ className, children, position = "popper", ...props }, ref) => (
<SelectPrimitive.Portal>
<SelectPrimitive.Content
ref={ref}
className={cn(
"relative z-50 max-h-96 min-w-[8rem] overflow-hidden rounded-md border bg-popover text-popover-foreground shadow-md data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0 data-[state=closed]:zoom-out-95 data-[state=open]:zoom-in-95 data-[side=bottom]:slide-in-from-top-2 data-[side=left]:slide-in-from-right-2 data-[side=right]:slide-in-from-left-2 data-[side=top]:slide-in-from-bottom-2",
position === "popper" &&
"data-[side=bottom]:translate-y-1 data-[side=left]:-translate-x-1 data-[side=right]:translate-x-1 data-[side=top]:-translate-y-1",
className
)}
position={position}
{...props}
>
<SelectScrollUpButton />
<SelectPrimitive.Viewport
className={cn(
"p-1",
position === "popper" &&
"h-[var(--radix-select-trigger-height)] w-full min-w-[var(--radix-select-trigger-width)]"
)}
>
{children}
</SelectPrimitive.Viewport>
<SelectScrollDownButton />
</SelectPrimitive.Content>
</SelectPrimitive.Portal>
))
SelectContent.displayName = SelectPrimitive.Content.displayName
const SelectLabel = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.Label>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Label>
>(({ className, ...props }, ref) => (
<SelectPrimitive.Label
ref={ref}
className={cn("py-1.5 pl-8 pr-2 text-sm font-semibold", className)}
{...props}
/>
))
SelectLabel.displayName = SelectPrimitive.Label.displayName
const SelectItem = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.Item>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Item>
>(({ className, children, ...props }, ref) => (
<SelectPrimitive.Item
ref={ref}
className={cn(
"relative flex w-full cursor-default select-none items-center rounded-sm py-1.5 pl-8 pr-2 text-sm outline-none focus:bg-accent focus:text-accent-foreground data-[disabled]:pointer-events-none data-[disabled]:opacity-50",
className
)}
{...props}
>
<span className="absolute left-2 flex h-3.5 w-3.5 items-center justify-center">
<SelectPrimitive.ItemIndicator>
<Check className="h-4 w-4" />
</SelectPrimitive.ItemIndicator>
</span>
<SelectPrimitive.ItemText>{children}</SelectPrimitive.ItemText>
</SelectPrimitive.Item>
))
SelectItem.displayName = SelectPrimitive.Item.displayName
const SelectSeparator = React.forwardRef<
React.ElementRef<typeof SelectPrimitive.Separator>,
React.ComponentPropsWithoutRef<typeof SelectPrimitive.Separator>
>(({ className, ...props }, ref) => (
<SelectPrimitive.Separator
ref={ref}
className={cn("-mx-1 my-1 h-px bg-muted", className)}
{...props}
/>
))
SelectSeparator.displayName = SelectPrimitive.Separator.displayName
export {
Select,
SelectGroup,
SelectValue,
SelectTrigger,
SelectContent,
SelectLabel,
SelectItem,
SelectSeparator,
SelectScrollUpButton,
SelectScrollDownButton,
}

View File

@@ -0,0 +1,39 @@
// src/components/ui/separator.tsx
"use client"
import * as React from "react"
import * as SeparatorPrimitive from "@radix-ui/react-separator"
import { cn } from "@/lib/utils"
const Separator = React.forwardRef<
React.ElementRef<typeof SeparatorPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof SeparatorPrimitive.Root>
>(
(
{ className, orientation = "horizontal", decorative = true, ...props },
ref
) => (
<SeparatorPrimitive.Root
ref={ref}
decorative={decorative}
orientation={orientation}
className={cn(
"shrink-0 bg-border",
orientation === "horizontal" ? "h-[1px] w-full" : "h-full w-[1px]",
className
)}
{...props}
/>
)
)
Separator.displayName = SeparatorPrimitive.Root.displayName
export { Separator }

View File

@@ -0,0 +1,137 @@
// src/components/ui/sheet.tsx
"use client"
import * as React from "react"
import * as SheetPrimitive from "@radix-ui/react-dialog"
import { cva, type VariantProps } from "class-variance-authority"
import { X } from "lucide-react"
import { cn } from "@/lib/utils"
const Sheet = SheetPrimitive.Root
const SheetTrigger = SheetPrimitive.Trigger
const SheetClose = SheetPrimitive.Close
const SheetPortal = SheetPrimitive.Portal
const SheetOverlay = React.forwardRef<
React.ElementRef<typeof SheetPrimitive.Overlay>,
React.ComponentPropsWithoutRef<typeof SheetPrimitive.Overlay>
>(({ className, ...props }, ref) => (
<SheetPrimitive.Overlay
className={cn(
"fixed inset-0 z-50 bg-background/80 backdrop-blur-sm data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0",
className
)}
{...props}
ref={ref}
/>
))
SheetOverlay.displayName = SheetPrimitive.Overlay.displayName
const sheetVariants = cva(
"fixed z-50 gap-4 bg-background p-6 shadow-lg transition ease-in-out data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:duration-300 data-[state=open]:duration-500",
{
variants: {
side: {
top: "inset-x-0 top-0 border-b data-[state=closed]:slide-out-to-top data-[state=open]:slide-in-from-top",
bottom:
"inset-x-0 bottom-0 border-t data-[state=closed]:slide-out-to-bottom data-[state=open]:slide-in-from-bottom",
left: "inset-y-0 left-0 h-full w-3/4 border-r data-[state=closed]:slide-out-to-left data-[state=open]:slide-in-from-left sm:max-w-sm",
right:
"inset-y-0 right-0 h-full w-3/4 border-l data-[state=closed]:slide-out-to-right data-[state=open]:slide-in-from-right sm:max-w-sm",
},
},
defaultVariants: {
side: "right",
},
}
)
interface SheetContentProps
extends React.ComponentPropsWithoutRef<typeof SheetPrimitive.Content>,
VariantProps<typeof sheetVariants> { }
const SheetContent = React.forwardRef<
React.ElementRef<typeof SheetPrimitive.Content>,
SheetContentProps
>(({ side = "right", className, children, ...props }, ref) => (
<SheetPortal>
<SheetOverlay />
<SheetPrimitive.Content
ref={ref}
className={cn(sheetVariants({ side }), className)}
{...props}
>
{children}
<SheetPrimitive.Close className="absolute right-4 top-4 rounded-sm opacity-70 ring-offset-background transition-opacity hover:opacity-100 focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2 disabled:pointer-events-none data-[state=open]:bg-secondary">
<X className="h-4 w-4" />
<span className="sr-only">Close</span>
</SheetPrimitive.Close>
</SheetPrimitive.Content>
</SheetPortal>
))
SheetContent.displayName = SheetPrimitive.Content.displayName
const SheetHeader = ({
className,
...props
}: React.HTMLAttributes<HTMLDivElement>) => (
<div
className={cn(
"flex flex-col space-y-2 text-center sm:text-left",
className
)}
{...props}
/>
)
SheetHeader.displayName = "SheetHeader"
const SheetFooter = ({
className,
...props
}: React.HTMLAttributes<HTMLDivElement>) => (
<div
className={cn(
"flex flex-col-reverse sm:flex-row sm:justify-end sm:space-x-2",
className
)}
{...props}
/>
)
SheetFooter.displayName = "SheetFooter"
const SheetTitle = React.forwardRef<
React.ElementRef<typeof SheetPrimitive.Title>,
React.ComponentPropsWithoutRef<typeof SheetPrimitive.Title>
>(({ className, ...props }, ref) => (
<SheetPrimitive.Title
ref={ref}
className={cn("text-lg font-semibold text-foreground", className)}
{...props}
/>
))
SheetTitle.displayName = SheetPrimitive.Title.displayName
const SheetDescription = React.forwardRef<
React.ElementRef<typeof SheetPrimitive.Description>,
React.ComponentPropsWithoutRef<typeof SheetPrimitive.Description>
>(({ className, ...props }, ref) => (
<SheetPrimitive.Description
ref={ref}
className={cn("text-sm text-muted-foreground", className)}
{...props}
/>
))
SheetDescription.displayName = SheetPrimitive.Description.displayName
export {
Sheet,
SheetPortal,
SheetOverlay,
SheetTrigger,
SheetClose,
SheetContent,
SheetHeader,
SheetFooter,
SheetTitle,
SheetDescription,
}

View File

@@ -0,0 +1,28 @@
// src/components/ui/slider.tsx
"use client"
import * as React from "react"
import * as SliderPrimitive from "@radix-ui/react-slider"
import { cn } from "@/lib/utils"
const Slider = React.forwardRef<
React.ElementRef<typeof SliderPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof SliderPrimitive.Root>
>(({ className, ...props }, ref) => (
<SliderPrimitive.Root
ref={ref}
className={cn(
"relative flex w-full touch-none select-none items-center",
className
)}
{...props}
>
<SliderPrimitive.Track className="relative h-2 w-full grow overflow-hidden rounded-full bg-secondary">
<SliderPrimitive.Range className="absolute h-full bg-primary" />
</SliderPrimitive.Track>
<SliderPrimitive.Thumb className="block h-5 w-5 rounded-full border-2 border-primary bg-background ring-offset-background transition-colors focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:pointer-events-none disabled:opacity-50" />
</SliderPrimitive.Root>
))
Slider.displayName = SliderPrimitive.Root.displayName
export { Slider }

View File

@@ -0,0 +1,66 @@
"use client"
import * as React from "react"
import * as TabsPrimitive from "@radix-ui/react-tabs"
import { cn } from "@/lib/utils"
function Tabs({
className,
...props
}: React.ComponentProps<typeof TabsPrimitive.Root>) {
return (
<TabsPrimitive.Root
data-slot="tabs"
className={cn("flex flex-col gap-2", className)}
{...props}
/>
)
}
function TabsList({
className,
...props
}: React.ComponentProps<typeof TabsPrimitive.List>) {
return (
<TabsPrimitive.List
data-slot="tabs-list"
className={cn(
"bg-muted text-muted-foreground inline-flex h-9 w-fit items-center justify-center rounded-lg p-[3px]",
className
)}
{...props}
/>
)
}
function TabsTrigger({
className,
...props
}: React.ComponentProps<typeof TabsPrimitive.Trigger>) {
return (
<TabsPrimitive.Trigger
data-slot="tabs-trigger"
className={cn(
"data-[state=active]:bg-background dark:data-[state=active]:text-foreground focus-visible:border-ring focus-visible:ring-ring/50 focus-visible:outline-ring dark:data-[state=active]:border-input dark:data-[state=active]:bg-input/30 text-foreground dark:text-muted-foreground inline-flex h-[calc(100%-1px)] flex-1 items-center justify-center gap-1.5 rounded-md border border-transparent px-2 py-1 text-sm font-medium whitespace-nowrap transition-[color,box-shadow] focus-visible:ring-[3px] focus-visible:outline-1 disabled:pointer-events-none disabled:opacity-50 data-[state=active]:shadow-sm [&_svg]:pointer-events-none [&_svg]:shrink-0 [&_svg:not([class*='size-'])]:size-4",
className
)}
{...props}
/>
)
}
function TabsContent({
className,
...props
}: React.ComponentProps<typeof TabsPrimitive.Content>) {
return (
<TabsPrimitive.Content
data-slot="tabs-content"
className={cn("flex-1 outline-none", className)}
{...props}
/>
)
}
export { Tabs, TabsList, TabsTrigger, TabsContent }

View File

@@ -0,0 +1,25 @@
// src/components/ui/textarea.tsx
import * as React from "react"
import { cn } from "@/lib/utils"
export interface TextareaProps
extends React.TextareaHTMLAttributes<HTMLTextAreaElement> { }
const Textarea = React.forwardRef<HTMLTextAreaElement, TextareaProps>(
({ className, ...props }, ref) => {
return (
<textarea
className={cn(
"flex min-h-[80px] w-full rounded-md border border-input bg-background px-3 py-2 text-sm ring-offset-background placeholder:text-muted-foreground focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:cursor-not-allowed disabled:opacity-50",
className
)}
ref={ref}
{...props}
/>
)
}
)
Textarea.displayName = "Textarea"
export { Textarea }