Files
MAD-Platform/components/CalendrierTrajets.tsx

601 lines
23 KiB
TypeScript
Raw Normal View History

2026-01-21 17:34:48 +01:00
'use client';
import { useState, useEffect } from 'react';
2026-01-21 17:48:14 +01:00
import { DndContext, DragEndEvent, DragOverlay, DragStartEvent, useDraggable, useDroppable } from '@dnd-kit/core';
import { CSS } from '@dnd-kit/utilities';
import TrajetDetailModal from './TrajetDetailModal';
2026-01-21 18:13:35 +01:00
import { useNotification } from './NotificationProvider';
2026-02-16 14:43:02 +01:00
import { getParticipationRef } from '@/lib/participation-ref';
2026-01-21 17:34:48 +01:00
interface Trajet {
id: string;
date: string;
adresseDepart: string;
adresseArrivee: string;
commentaire?: string | null;
statut: string;
2026-02-16 14:43:02 +01:00
participations?: { id: string }[];
2026-01-21 17:34:48 +01:00
adherent: {
id: string;
nom: string;
prenom: string;
telephone: string;
email: string;
};
chauffeur?: {
id: string;
nom: string;
prenom: string;
telephone: string;
} | null;
}
interface CalendrierTrajetsProps {
refreshTrigger?: number;
}
2026-01-21 17:48:14 +01:00
// Composant draggable pour un événement de trajet
function DraggableTrajetEvent({ trajet, onClick }: { trajet: Trajet; onClick: (e: React.MouseEvent, trajet: Trajet) => void }) {
// Empêcher le drag pour les trajets annulés ou validés
const canDrag = trajet.statut !== 'Annulé' && trajet.statut !== 'Validé' && trajet.statut !== 'Terminé';
const { attributes, listeners, setNodeRef, transform, isDragging } = useDraggable({
id: trajet.id,
data: { trajet },
disabled: !canDrag,
});
const style = {
transform: CSS.Translate.toString(transform),
opacity: isDragging ? 0.5 : 1,
};
const getStatutStyle = (statut: string) => {
switch (statut) {
case 'Validé':
return {
bg: 'bg-purple-500',
text: 'text-white',
border: 'border-purple-600',
};
case 'Terminé':
return {
bg: 'bg-green-500',
text: 'text-white',
border: 'border-green-600',
};
case 'En cours':
return {
bg: 'bg-blue-500',
text: 'text-white',
border: 'border-blue-600',
};
case 'Annulé':
return {
bg: 'bg-red-500',
text: 'text-white',
border: 'border-red-600',
};
default:
return {
bg: 'bg-lblue',
text: 'text-white',
border: 'border-lblue',
};
}
};
const formatTime = (dateString: string) => {
const date = new Date(dateString);
return date.toLocaleTimeString('fr-FR', { hour: '2-digit', minute: '2-digit' });
};
const styleObj = getStatutStyle(trajet.statut);
return (
<button
ref={setNodeRef}
style={style}
{...listeners}
{...attributes}
onClick={(e) => onClick(e, trajet)}
2026-02-08 15:27:44 +01:00
className={`text-[9px] sm:text-[10px] px-1 sm:px-1.5 py-0.5 rounded border ${styleObj.bg} ${styleObj.text} ${styleObj.border} font-semibold truncate w-full text-left transition-all flex items-center gap-0.5 sm:gap-1 ${canDrag ? 'hover:shadow-md cursor-grab active:cursor-grabbing' : 'cursor-default opacity-75'} ${isDragging ? 'opacity-50' : ''}`}
2026-01-21 17:48:14 +01:00
title={`${trajet.adherent.prenom} ${trajet.adherent.nom} - ${trajet.chauffeur ? `${trajet.chauffeur.prenom} ${trajet.chauffeur.nom}` : 'Sans chauffeur'} - ${trajet.statut}`}
>
2026-02-08 15:27:44 +01:00
<span className="font-bold text-[8px] sm:text-[9px]">
2026-01-21 17:48:14 +01:00
{trajet.chauffeur
? `${trajet.chauffeur.prenom.charAt(0)}${trajet.chauffeur.nom.charAt(0)}`
: '?'}
</span>
2026-02-08 15:27:44 +01:00
<span className="opacity-90 hidden sm:inline"></span>
<span className="opacity-90 truncate">{formatTime(trajet.date)}</span>
2026-01-21 17:48:14 +01:00
</button>
);
}
// Composant droppable pour une cellule de jour
function DroppableDayCell({
date,
children,
isToday,
isSelected,
onDateClick
}: {
date: Date;
children: React.ReactNode;
isToday: boolean;
isSelected: boolean;
onDateClick: (date: Date) => void;
}) {
// Créer un ID basé sur les composants de date pour éviter les problèmes de fuseau horaire
const dayId = `day-${date.getFullYear()}-${String(date.getMonth() + 1).padStart(2, '0')}-${String(date.getDate()).padStart(2, '0')}`;
const { setNodeRef, isOver } = useDroppable({
id: dayId,
data: { date },
});
return (
<button
ref={setNodeRef}
onClick={() => onDateClick(date)}
2026-02-08 15:27:44 +01:00
className={`h-16 sm:h-20 md:h-24 p-1 sm:p-1.5 md:p-2 rounded-lg border-2 transition-all flex flex-col ${
2026-01-21 17:48:14 +01:00
isSelected
? 'border-lblue bg-lblue/10'
: isToday
? 'border-lblue bg-lblue/5'
: isOver
? 'border-lgreen bg-lgreen/20 border-2'
: 'border-gray-200 hover:border-gray-300 hover:bg-gray-50'
}`}
>
{children}
</button>
);
}
2026-01-21 17:34:48 +01:00
export default function CalendrierTrajets({ refreshTrigger }: CalendrierTrajetsProps) {
2026-01-21 18:13:35 +01:00
const { showNotification } = useNotification();
2026-01-21 17:34:48 +01:00
const [trajets, setTrajets] = useState<Trajet[]>([]);
const [loading, setLoading] = useState(true);
const [currentDate, setCurrentDate] = useState(new Date());
const [selectedDate, setSelectedDate] = useState<Date | null>(null);
const [selectedTrajets, setSelectedTrajets] = useState<Trajet[]>([]);
2026-01-21 17:48:14 +01:00
const [selectedTrajet, setSelectedTrajet] = useState<Trajet | null>(null);
const [activeId, setActiveId] = useState<string | null>(null);
const [draggedTrajet, setDraggedTrajet] = useState<Trajet | null>(null);
2026-01-21 17:34:48 +01:00
const month = currentDate.getMonth();
const year = currentDate.getFullYear();
const firstDayOfMonth = new Date(year, month, 1);
const lastDayOfMonth = new Date(year, month + 1, 0);
const daysInMonth = lastDayOfMonth.getDate();
const startingDayOfWeek = firstDayOfMonth.getDay();
// Ajuster pour que lundi soit le premier jour (0 = lundi)
const adjustedStartingDay = startingDayOfWeek === 0 ? 6 : startingDayOfWeek - 1;
useEffect(() => {
2026-01-21 17:48:14 +01:00
fetchTrajets(true);
2026-01-21 17:34:48 +01:00
}, [currentDate, refreshTrigger]);
2026-01-21 17:48:14 +01:00
const fetchTrajets = async (showLoading = true) => {
if (showLoading) {
setLoading(true);
}
2026-01-21 17:34:48 +01:00
try {
const startDate = new Date(year, month, 1).toISOString();
const endDate = new Date(year, month + 1, 0, 23, 59, 59).toISOString();
const response = await fetch(
`/api/trajets?startDate=${startDate}&endDate=${endDate}`
);
if (response.ok) {
const data = await response.json();
setTrajets(data);
2026-01-21 17:48:14 +01:00
// Mettre à jour la liste des trajets du jour sélectionné après le fetch
if (selectedDate) {
const trajetsDuJour = data.filter((t: Trajet) => {
const trajetDate = new Date(t.date);
return (
trajetDate.getDate() === selectedDate.getDate() &&
trajetDate.getMonth() === selectedDate.getMonth() &&
trajetDate.getFullYear() === selectedDate.getFullYear()
);
});
setSelectedTrajets(trajetsDuJour);
}
} else {
console.error('Erreur lors de la récupération des trajets:', response.statusText);
2026-01-21 17:34:48 +01:00
}
} catch (error) {
console.error('Erreur lors du chargement des trajets:', error);
2026-01-21 17:48:14 +01:00
// Ne pas vider les trajets en cas d'erreur
2026-01-21 17:34:48 +01:00
} finally {
2026-01-21 17:48:14 +01:00
if (showLoading) {
setLoading(false);
}
2026-01-21 17:34:48 +01:00
}
};
const getTrajetsForDate = (date: Date): Trajet[] => {
2026-01-21 17:48:14 +01:00
// Utiliser les composants de date directement pour éviter les problèmes de fuseau horaire
const targetYear = date.getFullYear();
const targetMonth = date.getMonth();
const targetDay = date.getDate();
2026-01-21 17:34:48 +01:00
return trajets.filter((trajet) => {
2026-01-21 17:48:14 +01:00
const trajetDate = new Date(trajet.date);
return (
trajetDate.getFullYear() === targetYear &&
trajetDate.getMonth() === targetMonth &&
trajetDate.getDate() === targetDay
);
2026-01-21 17:34:48 +01:00
});
};
const handleDateClick = (date: Date) => {
setSelectedDate(date);
const trajetsDuJour = getTrajetsForDate(date);
setSelectedTrajets(trajetsDuJour);
};
2026-01-21 17:48:14 +01:00
const handleTrajetClick = (e: React.MouseEvent, trajet: Trajet) => {
e.stopPropagation(); // Empêcher le clic sur la date
setSelectedTrajet(trajet);
};
const handleDragStart = (event: DragStartEvent) => {
setActiveId(event.active.id as string);
const trajet = event.active.data.current?.trajet as Trajet;
setDraggedTrajet(trajet);
};
const handleDragEnd = async (event: DragEndEvent) => {
const { active, over } = event;
setActiveId(null);
setDraggedTrajet(null);
if (!over || !active.data.current?.trajet) {
return;
}
const trajet = active.data.current.trajet as Trajet;
// Vérifier que le trajet peut être déplacé
if (trajet.statut === 'Annulé' || trajet.statut === 'Validé' || trajet.statut === 'Terminé') {
return;
}
const targetDayId = over.id as string;
// Extraire la date de la cible (format: "day-2026-01-23")
if (typeof targetDayId === 'string' && targetDayId.startsWith('day-')) {
const dateStr = targetDayId.replace('day-', '');
const [year, month, day] = dateStr.split('-').map(Number);
// Vérifier que les composants de date sont valides
if (isNaN(year) || isNaN(month) || isNaN(day)) {
return;
}
// Conserver l'heure du trajet original, changer seulement la date
const originalDate = new Date(trajet.date);
// Créer la nouvelle date avec les composants locaux pour correspondre exactement au calendrier
// Note: month - 1 car les mois sont indexés à partir de 0 en JavaScript
// On crée la date directement avec l'heure originale mais la date cible
// Pour éviter les problèmes de fuseau horaire, on crée d'abord à midi puis on ajuste
const newDate = new Date(year, month - 1, day, 12, 0, 0, 0);
newDate.setHours(originalDate.getHours(), originalDate.getMinutes(), originalDate.getSeconds(), originalDate.getMilliseconds());
// Vérifier que la date a changé
const originalDateOnly = new Date(originalDate.getFullYear(), originalDate.getMonth(), originalDate.getDate());
const newDateOnly = new Date(newDate.getFullYear(), newDate.getMonth(), newDate.getDate());
if (originalDateOnly.getTime() === newDateOnly.getTime()) {
return; // Même jour, pas besoin de mettre à jour
}
// Mettre à jour le trajet
try {
const response = await fetch(`/api/trajets/${trajet.id}`, {
method: 'PUT',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({
date: newDate.toISOString(),
}),
});
if (response.ok) {
2026-01-21 18:13:35 +01:00
const targetDateFormatted = new Date(newDate).toLocaleDateString('fr-FR', {
day: 'numeric',
month: 'long',
year: 'numeric',
});
showNotification('success', `Trajet déplacé vers le ${targetDateFormatted}`);
2026-01-21 17:48:14 +01:00
// Utiliser fetchTrajets sans loading pour éviter de vider les trajets pendant le chargement
await fetchTrajets(false);
} else {
const error = await response.json();
2026-01-21 18:13:35 +01:00
showNotification('error', error.error || 'Erreur lors du déplacement du trajet');
2026-01-21 17:48:14 +01:00
}
} catch (error) {
console.error('Erreur lors du déplacement:', error);
2026-01-21 18:13:35 +01:00
showNotification('error', 'Erreur lors du déplacement du trajet');
2026-01-21 17:48:14 +01:00
}
}
};
2026-01-21 17:34:48 +01:00
const goToPreviousMonth = () => {
setCurrentDate(new Date(year, month - 1, 1));
};
const goToNextMonth = () => {
setCurrentDate(new Date(year, month + 1, 1));
};
const goToToday = () => {
setCurrentDate(new Date());
};
const formatDate = (date: Date) => {
return date.toLocaleDateString('fr-FR', {
weekday: 'long',
day: 'numeric',
month: 'long',
year: 'numeric',
});
};
const formatTime = (dateString: string) => {
const date = new Date(dateString);
return date.toLocaleTimeString('fr-FR', { hour: '2-digit', minute: '2-digit' });
};
const days = ['Lun', 'Mar', 'Mer', 'Jeu', 'Ven', 'Sam', 'Dim'];
const calendarDays = [];
// Ajouter les jours vides du début
for (let i = 0; i < adjustedStartingDay; i++) {
calendarDays.push(null);
}
// Ajouter les jours du mois
for (let day = 1; day <= daysInMonth; day++) {
calendarDays.push(new Date(year, month, day));
}
return (
2026-02-08 15:27:44 +01:00
<div className="bg-white rounded-lg shadow-sm p-4 sm:p-6">
2026-01-21 17:34:48 +01:00
{/* En-tête du calendrier */}
2026-02-08 15:27:44 +01:00
<div className="flex flex-col sm:flex-row items-start sm:items-center justify-between gap-3 sm:gap-0 mb-4 sm:mb-6">
<h2 className="text-lg sm:text-xl font-semibold text-gray-900 capitalize">
2026-01-21 17:34:48 +01:00
{currentDate.toLocaleDateString('fr-FR', { month: 'long', year: 'numeric' })}
</h2>
2026-02-08 15:27:44 +01:00
<div className="flex items-center gap-2 w-full sm:w-auto">
2026-01-21 17:34:48 +01:00
<button
onClick={goToPreviousMonth}
2026-02-08 15:27:44 +01:00
className="p-1.5 sm:p-2 rounded-lg hover:bg-gray-100 transition-colors"
2026-01-21 17:34:48 +01:00
title="Mois précédent"
>
2026-02-08 15:27:44 +01:00
<svg className="w-4 h-4 sm:w-5 sm:h-5 text-gray-600" fill="none" stroke="currentColor" viewBox="0 0 24 24">
2026-01-21 17:34:48 +01:00
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M15 19l-7-7 7-7" />
</svg>
</button>
<button
onClick={goToToday}
2026-02-08 15:27:44 +01:00
className="px-3 sm:px-4 py-1.5 sm:py-2 text-xs sm:text-sm font-medium text-gray-700 bg-gray-100 rounded-lg hover:bg-gray-200 transition-colors flex-1 sm:flex-initial"
2026-01-21 17:34:48 +01:00
>
Aujourd'hui
</button>
<button
onClick={goToNextMonth}
2026-02-08 15:27:44 +01:00
className="p-1.5 sm:p-2 rounded-lg hover:bg-gray-100 transition-colors"
2026-01-21 17:34:48 +01:00
title="Mois suivant"
>
2026-02-08 15:27:44 +01:00
<svg className="w-4 h-4 sm:w-5 sm:h-5 text-gray-600" fill="none" stroke="currentColor" viewBox="0 0 24 24">
2026-01-21 17:34:48 +01:00
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M9 5l7 7-7 7" />
</svg>
</button>
</div>
</div>
{loading ? (
2026-02-08 15:27:44 +01:00
<div className="text-center py-6 sm:py-8 text-sm text-gray-500">Chargement...</div>
2026-01-21 17:34:48 +01:00
) : (
<>
2026-01-21 17:48:14 +01:00
{/* Grille du calendrier avec drag and drop */}
<DndContext onDragStart={handleDragStart} onDragEnd={handleDragEnd}>
2026-02-08 15:27:44 +01:00
<div className="grid grid-cols-7 gap-1 sm:gap-2 mb-4 sm:mb-6">
2026-01-21 17:48:14 +01:00
{/* En-têtes des jours */}
{days.map((day) => (
2026-02-08 15:27:44 +01:00
<div key={day} className="text-center text-[10px] sm:text-xs md:text-sm font-semibold text-gray-600 py-1 sm:py-2">
2026-01-21 17:48:14 +01:00
{day}
</div>
))}
{/* Jours du calendrier */}
{calendarDays.map((date, index) => {
if (!date) {
return <div key={`empty-${index}`} className="h-24" />;
}
const trajetsDuJour = getTrajetsForDate(date);
const isToday =
date.getDate() === new Date().getDate() &&
date.getMonth() === new Date().getMonth() &&
date.getFullYear() === new Date().getFullYear();
2026-02-15 14:36:28 +01:00
const isSelected = !!(
2026-01-21 17:48:14 +01:00
selectedDate &&
date.getDate() === selectedDate.getDate() &&
date.getMonth() === selectedDate.getMonth() &&
2026-02-15 14:36:28 +01:00
date.getFullYear() === selectedDate.getFullYear()
);
2026-01-21 17:48:14 +01:00
return (
<DroppableDayCell
key={date.toISOString()}
date={date}
isToday={isToday}
isSelected={isSelected}
onDateClick={handleDateClick}
>
2026-02-08 15:27:44 +01:00
<div className="text-xs sm:text-sm font-medium text-gray-900 mb-0.5 sm:mb-1">
2026-01-21 17:48:14 +01:00
{date.getDate()}
2026-01-21 17:34:48 +01:00
</div>
2026-01-21 17:48:14 +01:00
{trajetsDuJour.length > 0 && (
2026-02-08 15:27:44 +01:00
<div className="space-y-0.5 sm:space-y-1 flex-1 overflow-hidden">
{trajetsDuJour.slice(0, 2).map((trajet) => (
2026-01-21 17:48:14 +01:00
<DraggableTrajetEvent
key={trajet.id}
trajet={trajet}
onClick={handleTrajetClick}
/>
))}
2026-02-08 15:27:44 +01:00
{trajetsDuJour.length > 2 && (
<div className="text-[9px] sm:text-[10px] text-gray-500 font-semibold text-center pt-0.5">
+{trajetsDuJour.length - 2}
2026-01-21 17:48:14 +01:00
</div>
)}
</div>
)}
</DroppableDayCell>
);
})}
</div>
{/* Overlay pour l'élément en cours de drag */}
<DragOverlay>
{draggedTrajet ? (
<div className="text-[10px] px-2 py-1 rounded-lg border-2 bg-lblue text-white border-lblue font-semibold flex items-center gap-1 shadow-2xl transform rotate-2">
<span className="font-bold">
{draggedTrajet.chauffeur
? `${draggedTrajet.chauffeur.prenom.charAt(0)}${draggedTrajet.chauffeur.nom.charAt(0)}`
: '?'}
</span>
<span></span>
<span>{formatTime(draggedTrajet.date)}</span>
</div>
) : null}
</DragOverlay>
</DndContext>
2026-01-21 17:34:48 +01:00
{/* Détails des trajets du jour sélectionné */}
{selectedDate && selectedTrajets.length > 0 && (
2026-02-08 15:27:44 +01:00
<div className="mt-4 sm:mt-6 pt-4 sm:pt-6 border-t border-gray-200">
<h3 className="text-base sm:text-lg font-semibold text-gray-900 mb-3 sm:mb-4">
2026-01-21 17:34:48 +01:00
Trajets du {formatDate(selectedDate)}
</h3>
2026-02-08 15:27:44 +01:00
<div className="space-y-2 sm:space-y-3">
2026-01-21 17:48:14 +01:00
{selectedTrajets.map((trajet) => {
const getStatutColor = (statut: string) => {
switch (statut) {
case 'Validé':
return 'bg-purple-100 text-purple-700 border-purple-200';
case 'Terminé':
return 'bg-green-100 text-green-700 border-green-200';
case 'En cours':
return 'bg-blue-100 text-blue-700 border-blue-200';
case 'Annulé':
return 'bg-red-100 text-red-700 border-red-200';
default:
return 'bg-gray-100 text-gray-700 border-gray-200';
}
};
return (
<button
key={trajet.id}
onClick={() => setSelectedTrajet(trajet)}
2026-02-08 15:27:44 +01:00
className="w-full p-3 sm:p-4 bg-gray-50 rounded-lg border border-gray-200 hover:border-gray-300 hover:shadow-sm transition-all text-left"
2026-01-21 17:48:14 +01:00
>
2026-02-08 15:27:44 +01:00
<div className="flex items-start justify-between gap-2">
<div className="flex-1 min-w-0">
<div className="flex flex-wrap items-center gap-1.5 sm:gap-2 mb-2">
<span className="text-xs sm:text-sm font-semibold text-gray-900">
2026-01-21 17:48:14 +01:00
{trajet.adherent.prenom} {trajet.adherent.nom}
2026-01-21 17:34:48 +01:00
</span>
2026-02-16 14:43:02 +01:00
{trajet.participations?.[0] && (
<span className="px-1.5 sm:px-2 py-0.5 text-[10px] sm:text-xs font-mono font-medium rounded bg-lblue/10 text-lblue" title="Référence de prescription">
{getParticipationRef(trajet.participations[0].id)}
</span>
)}
2026-02-08 15:27:44 +01:00
<span className="px-1.5 sm:px-2 py-0.5 text-[10px] sm:text-xs font-medium rounded bg-lblue/10 text-lblue">
2026-01-21 17:48:14 +01:00
{formatTime(trajet.date)}
</span>
<span
2026-02-08 15:27:44 +01:00
className={`px-1.5 sm:px-2 py-0.5 text-[10px] sm:text-xs font-medium rounded border ${getStatutColor(trajet.statut)}`}
2026-01-21 17:48:14 +01:00
>
{trajet.statut}
2026-01-21 17:34:48 +01:00
</span>
</div>
2026-02-08 15:27:44 +01:00
<div className="text-xs sm:text-sm text-gray-600 mb-1 break-words">
2026-01-21 17:48:14 +01:00
<span className="font-medium">Départ:</span> {trajet.adresseDepart}
2026-01-21 17:34:48 +01:00
</div>
2026-02-08 15:27:44 +01:00
<div className="text-xs sm:text-sm text-gray-600 mb-2 break-words">
2026-01-21 17:48:14 +01:00
<span className="font-medium">Arrivée:</span> {trajet.adresseArrivee}
</div>
{trajet.chauffeur ? (
<div className="flex items-center gap-2 mt-2">
2026-02-08 15:27:44 +01:00
<svg className="w-3.5 h-3.5 sm:w-4 sm:h-4 text-gray-400 flex-shrink-0" fill="none" stroke="currentColor" viewBox="0 0 24 24">
2026-01-21 17:48:14 +01:00
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M9 17a2 2 0 11-4 0 2 2 0 014 0zM19 17a2 2 0 11-4 0 2 2 0 014 0z" />
</svg>
2026-02-08 15:27:44 +01:00
<span className="text-xs sm:text-sm font-medium text-gray-900 truncate">
2026-01-21 17:48:14 +01:00
Chauffeur: {trajet.chauffeur.prenom} {trajet.chauffeur.nom}
</span>
</div>
) : (
<div className="flex items-center gap-2 mt-2">
2026-02-08 15:27:44 +01:00
<svg className="w-3.5 h-3.5 sm:w-4 sm:h-4 text-orange-400 flex-shrink-0" fill="none" stroke="currentColor" viewBox="0 0 24 24">
2026-01-21 17:48:14 +01:00
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M12 9v2m0 4h.01m-6.938 4h13.856c1.54 0 2.502-1.667 1.732-3L13.732 4c-.77-1.333-2.694-1.333-3.464 0L3.34 16c-.77 1.333.192 3 1.732 3z" />
</svg>
2026-02-08 15:27:44 +01:00
<span className="text-xs sm:text-sm text-orange-600 font-medium">
2026-01-21 17:48:14 +01:00
Aucun chauffeur assigné
</span>
</div>
)}
{trajet.commentaire && (
2026-02-08 15:27:44 +01:00
<div className="mt-2 text-xs sm:text-sm text-gray-500 italic line-clamp-2 break-words">
2026-01-21 17:48:14 +01:00
{trajet.commentaire}
</div>
)}
</div>
2026-02-08 15:27:44 +01:00
<svg className="w-4 h-4 sm:w-5 sm:h-5 text-gray-400 flex-shrink-0 mt-0.5" fill="none" stroke="currentColor" viewBox="0 0 24 24">
2026-01-21 17:48:14 +01:00
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M9 5l7 7-7 7" />
</svg>
2026-01-21 17:34:48 +01:00
</div>
2026-01-21 17:48:14 +01:00
</button>
);
})}
2026-01-21 17:34:48 +01:00
</div>
</div>
)}
{selectedDate && selectedTrajets.length === 0 && (
2026-02-08 15:27:44 +01:00
<div className="mt-4 sm:mt-6 pt-4 sm:pt-6 border-t border-gray-200 text-center text-xs sm:text-sm text-gray-500">
2026-01-21 17:34:48 +01:00
Aucun trajet prévu pour le {formatDate(selectedDate)}
</div>
)}
</>
)}
2026-01-21 17:48:14 +01:00
{/* Modal de détails du trajet */}
{selectedTrajet && (
<TrajetDetailModal
trajet={selectedTrajet}
onClose={() => setSelectedTrajet(null)}
onUpdate={() => {
fetchTrajets();
setSelectedTrajet(null);
}}
/>
)}
2026-01-21 17:34:48 +01:00
</div>
);
}