Major: Unified Activity System with Multi-VIP Support & Enhanced Search/Filtering
Some checks failed
CI/CD Pipeline / Backend Tests (push) Has been cancelled
CI/CD Pipeline / Frontend Tests (push) Has been cancelled
CI/CD Pipeline / Build Docker Images (push) Has been cancelled
CI/CD Pipeline / Security Scan (push) Has been cancelled
CI/CD Pipeline / Deploy to Staging (push) Has been cancelled
CI/CD Pipeline / Deploy to Production (push) Has been cancelled

## Overview
Complete architectural overhaul merging dual event systems into a unified activity model
with multi-VIP support, enhanced search capabilities, and improved UX throughout.

## Database & Schema Changes

### Unified Activity Model (Breaking Change)
- Merged Event/EventTemplate/EventAttendance into single ScheduleEvent model
- Dropped duplicate tables: Event, EventAttendance, EventTemplate
- Single source of truth for all activities (transport, meals, meetings, events)
- Migration: 20260131180000_drop_duplicate_event_tables

### Multi-VIP Support (Breaking Change)
- Changed schema from single vipId to vipIds array (String[])
- Enables multiple VIPs per activity (ridesharing, group events)
- Migration: 20260131122613_multi_vip_support
- Updated all backend services to handle multi-VIP queries

### Seed Data Updates
- Rebuilt seed.ts with unified activity model
- Added multi-VIP rideshare examples (3 VIPs in SUV, 4 VIPs in van)
- Includes mix of transport + non-transport activities
- Balanced VIP test data (50% OFFICE_OF_DEVELOPMENT, 50% ADMIN)

## Backend Changes

### Services Cleanup
- Removed deprecated common-events endpoints
- Updated EventsService for multi-VIP support
- Enhanced VipsService with multi-VIP activity queries
- Updated DriversService, VehiclesService for unified model
- Added add-vips-to-event.dto for bulk VIP assignment

### Abilities & Permissions
- Updated ability.factory.ts: Event → ScheduleEvent subject
- Enhanced guards for unified activity permissions
- Maintained RBAC (Administrator, Coordinator, Driver roles)

### DTOs
- Updated create-event.dto: vipId → vipIds array
- Updated update-event.dto: vipId → vipIds array
- Added add-vips-to-event.dto for bulk operations
- Removed obsolete event-template DTOs

## Frontend Changes

### UI/UX Improvements

**Renamed "Schedule" → "Activities" Throughout**
- More intuitive terminology for coordinators
- Updated navigation, page titles, buttons
- Changed "Schedule Events" to "Activities" in Admin Tools

**Activities Page Enhancements**
- Added comprehensive search bar (searches: title, location, description, VIP names, driver, vehicle)
- Added sortable columns: Title, Type, VIPs, Start Time, Status
- Visual sort indicators (↑↓ arrows)
- Real-time result count when searching
- Empty state with helpful messaging

**Admin Tools Updates**
- Balanced VIP test data: 10 OFFICE_OF_DEVELOPMENT + 10 ADMIN
- More BSA-relevant organizations (Coca-Cola, AT&T, Walmart vs generic orgs)
- BSA leadership titles (National President, Chief Scout Executive, Regional Directors)
- Relabeled "Schedule Events" → "Activities"

### Component Updates

**EventList.tsx (Activities Page)**
- Added search state management with real-time filtering
- Implemented multi-field sorting with direction toggle
- Enhanced empty states for search + no data scenarios
- Filter tabs + search work together seamlessly

**VIPSchedule.tsx**
- Updated for multi-VIP schema (vipIds array)
- Shows complete itinerary timeline per VIP
- Displays all activities for selected VIP
- Groups by day with formatted dates

**EventForm.tsx**
- Updated to handle vipIds array instead of single vipId
- Multi-select VIP assignment
- Maintains backward compatibility

**AdminTools.tsx**
- New balanced VIP test data (10/10 split)
- BSA-context organizations
- Updated button labels ("Add Test Activities")

### Routing & Navigation
- Removed /common-events routes
- Updated navigation menu labels
- Maintained protected route structure
- Cleaner URL structure

## New Features

### Multi-VIP Activity Support
- Activities can have multiple VIPs (ridesharing, group events)
- Efficient seat utilization tracking (3/6 seats, 4/12 seats)
- Better coordination for shared transport

### Advanced Search & Filtering
- Full-text search across multiple fields
- Instant filtering as you type
- Search + type filters work together
- Clear visual feedback (result counts)

### Sortable Data Tables
- Click column headers to sort
- Toggle ascending/descending
- Visual indicators for active sort
- Sorts persist with search/filter

### Enhanced Admin Tools
- One-click test data generation
- Realistic BSA Jamboree scenario data
- Balanced department representation
- Complete 3-day itineraries per VIP

## Testing & Validation

### Playwright E2E Tests
- Added e2e/ directory structure
- playwright.config.ts configured
- PLAYWRIGHT_GUIDE.md documentation
- Ready for comprehensive E2E testing

### Manual Testing Performed
- Multi-VIP activity creation ✓
- Search across all fields ✓
- Column sorting (all fields) ✓
- Filter tabs + search combination ✓
- Admin Tools data generation ✓
- Database migrations ✓

## Breaking Changes & Migration

**Database Schema Changes**
1. Run migrations: `npx prisma migrate deploy`
2. Reseed database: `npx prisma db seed`
3. Existing data incompatible (dev environment - safe to nuke)

**API Changes**
- POST /events now requires vipIds array (not vipId string)
- GET /events returns vipIds array
- GET /vips/:id/schedule updated for multi-VIP
- Removed /common-events/* endpoints

**Frontend Type Changes**
- ScheduleEvent.vipIds: string[] (was vipId: string)
- EventFormData updated accordingly
- All pages handle array-based VIP assignment

## File Changes Summary

**Added:**
- backend/prisma/migrations/20260131180000_drop_duplicate_event_tables/
- backend/src/events/dto/add-vips-to-event.dto.ts
- frontend/src/components/InlineDriverSelector.tsx
- frontend/e2e/ (Playwright test structure)
- Documentation: NAVIGATION_UX_IMPROVEMENTS.md, PLAYWRIGHT_GUIDE.md

**Modified:**
- 30+ backend files (schema, services, DTOs, abilities)
- 20+ frontend files (pages, components, types)
- Admin tools, seed data, navigation

**Removed:**
- Event/EventAttendance/EventTemplate database tables
- Common events frontend pages
- Obsolete event template DTOs

## Next Steps

**Pending (Phase 3):**
- Activity Templates for bulk event creation
- Operations Dashboard (today's activities + conflicts)
- Complete workflow testing with real users
- Additional E2E test coverage

## Notes
- Development environment - no production data affected
- Database can be reset anytime: `npx prisma migrate reset`
- All servers tested and running successfully
- HMR working correctly for frontend changes

Co-Authored-By: Claude Sonnet 4.5 <noreply@anthropic.com>
This commit is contained in:
2026-01-31 16:35:24 +01:00
parent 868f7efc23
commit d2754db377
63 changed files with 7345 additions and 667 deletions

View File

@@ -1,7 +1,10 @@
import { useState, useEffect } from 'react';
import { createPortal } from 'react-dom';
import { useQuery } from '@tanstack/react-query';
import { X } from 'lucide-react';
import { X, AlertTriangle, Users, Car } from 'lucide-react';
import { api } from '@/lib/api';
import { ScheduleEvent, VIP, Driver, Vehicle } from '@/types';
import { formatDateTime } from '@/lib/utils';
interface EventFormProps {
event?: ScheduleEvent | null;
@@ -10,41 +13,27 @@ interface EventFormProps {
isSubmitting: boolean;
}
interface ScheduleEvent {
id: string;
vipId: string;
title: string;
location: string | null;
startTime: string;
endTime: string;
description: string | null;
type: string;
status: string;
driverId: string | null;
}
interface VIP {
id: string;
name: string;
organization: string | null;
}
interface Driver {
id: string;
name: string;
phone: string;
}
export interface EventFormData {
vipId: string;
vipIds: string[];
title: string;
location?: string;
pickupLocation?: string;
dropoffLocation?: string;
startTime: string;
endTime: string;
description?: string;
type: string;
status: string;
driverId?: string;
vehicleId?: string;
forceAssign?: boolean;
}
interface ScheduleConflict {
id: string;
title: string;
startTime: string;
endTime: string;
}
export function EventForm({ event, onSubmit, onCancel, isSubmitting }: EventFormProps) {
@@ -61,18 +50,27 @@ export function EventForm({ event, onSubmit, onCancel, isSubmitting }: EventForm
};
const [formData, setFormData] = useState<EventFormData>({
vipId: event?.vipId || '',
vipIds: event?.vipIds || [],
title: event?.title || '',
location: event?.location || '',
pickupLocation: event?.pickupLocation || '',
dropoffLocation: event?.dropoffLocation || '',
startTime: toDatetimeLocal(event?.startTime),
endTime: toDatetimeLocal(event?.endTime),
description: event?.description || '',
type: event?.type || 'TRANSPORT',
status: event?.status || 'SCHEDULED',
driverId: event?.driverId || '',
vehicleId: event?.vehicleId || '',
});
// Fetch VIPs for dropdown
const [showConflictDialog, setShowConflictDialog] = useState(false);
const [conflicts, setConflicts] = useState<ScheduleConflict[]>([]);
const [showCapacityWarning, setShowCapacityWarning] = useState(false);
const [capacityExceeded, setCapacityExceeded] = useState<{capacity: number, requested: number} | null>(null);
const [pendingData, setPendingData] = useState<EventFormData | null>(null);
// Fetch VIPs for selection
const { data: vips } = useQuery<VIP[]>({
queryKey: ['vips'],
queryFn: async () => {
@@ -90,20 +88,86 @@ export function EventForm({ event, onSubmit, onCancel, isSubmitting }: EventForm
},
});
// Fetch Vehicles for dropdown
const { data: vehicles } = useQuery<Vehicle[]>({
queryKey: ['vehicles'],
queryFn: async () => {
const { data } = await api.get('/vehicles');
return data;
},
});
// Get selected vehicle capacity
const selectedVehicle = vehicles?.find(v => v.id === formData.vehicleId);
const seatsUsed = formData.vipIds.length;
const seatsAvailable = selectedVehicle ? selectedVehicle.seatCapacity : 0;
const handleSubmit = (e: React.FormEvent) => {
e.preventDefault();
// Clean up the data - remove empty strings for optional fields and convert datetimes to ISO
const cleanedData = {
// Clean up the data
const cleanedData: EventFormData = {
...formData,
startTime: new Date(formData.startTime).toISOString(),
endTime: new Date(formData.endTime).toISOString(),
location: formData.location || undefined,
pickupLocation: formData.pickupLocation || undefined,
dropoffLocation: formData.dropoffLocation || undefined,
description: formData.description || undefined,
driverId: formData.driverId || undefined,
vehicleId: formData.vehicleId || undefined,
};
onSubmit(cleanedData);
// Store for potential retry
setPendingData(cleanedData);
// Submit directly
handleActualSubmit(cleanedData);
};
const handleActualSubmit = async (data: EventFormData) => {
try {
await onSubmit(data);
// Success handled by parent component
} catch (error: any) {
console.error('[EVENT_FORM] Submit failed:', error);
// Check for conflict error
if (error.response?.data?.conflicts) {
setConflicts(error.response.data.conflicts);
setShowConflictDialog(true);
return;
}
// Check for capacity error
if (error.response?.data?.exceeded) {
setCapacityExceeded({
capacity: error.response.data.capacity,
requested: error.response.data.requested,
});
setShowCapacityWarning(true);
return;
}
// Other errors are shown via toast by parent
}
};
const handleForceSubmit = () => {
if (pendingData) {
const dataWithForce = { ...pendingData, forceAssign: true };
setShowConflictDialog(false);
setShowCapacityWarning(false);
handleActualSubmit(dataWithForce);
}
};
const handleCancelConflict = () => {
setShowConflictDialog(false);
setShowCapacityWarning(false);
setPendingData(null);
setConflicts([]);
setCapacityExceeded(null);
};
const handleChange = (
@@ -116,197 +180,385 @@ export function EventForm({ event, onSubmit, onCancel, isSubmitting }: EventForm
}));
};
const handleVipToggle = (vipId: string) => {
setFormData((prev) => {
const isSelected = prev.vipIds.includes(vipId);
return {
...prev,
vipIds: isSelected
? prev.vipIds.filter(id => id !== vipId)
: [...prev.vipIds, vipId],
};
});
};
const selectedVipNames = vips
?.filter(vip => formData.vipIds.includes(vip.id))
.map(vip => vip.name)
.join(', ') || 'None selected';
return (
<div className="fixed inset-0 bg-black bg-opacity-50 flex items-center justify-center p-4 z-50">
<div className="bg-white rounded-lg shadow-xl max-w-2xl w-full max-h-[90vh] overflow-y-auto">
<div className="flex items-center justify-between p-6 border-b">
<h2 className="text-2xl font-bold text-gray-900">
{event ? 'Edit Event' : 'Add New Event'}
</h2>
<button
onClick={onCancel}
className="text-gray-400 hover:text-gray-600"
>
<X className="h-6 w-6" />
</button>
</div>
<form onSubmit={handleSubmit} className="p-6 space-y-4">
{/* VIP Selection */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
VIP *
</label>
<select
name="vipId"
required
value={formData.vipId}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
>
<option value="">Select VIP</option>
{vips?.map((vip) => (
<option key={vip.id} value={vip.id}>
{vip.name} {vip.organization ? `(${vip.organization})` : ''}
</option>
))}
</select>
</div>
{/* Title */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Event Title *
</label>
<input
type="text"
name="title"
required
value={formData.title}
onChange={handleChange}
placeholder="e.g., Airport Pickup, Lunch Meeting"
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
{/* Location */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Location
</label>
<input
type="text"
name="location"
value={formData.location}
onChange={handleChange}
placeholder="e.g., LaGuardia Airport, Main Conference Room"
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
{/* Start & End Time */}
<div className="grid grid-cols-2 gap-4">
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Start Time *
</label>
<input
type="datetime-local"
name="startTime"
required
value={formData.startTime}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
End Time *
</label>
<input
type="datetime-local"
name="endTime"
required
value={formData.endTime}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
</div>
{/* Event Type */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Event Type *
</label>
<select
name="type"
required
value={formData.type}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
>
<option value="TRANSPORT">Transport</option>
<option value="MEETING">Meeting</option>
<option value="EVENT">Event</option>
<option value="MEAL">Meal</option>
<option value="ACCOMMODATION">Accommodation</option>
</select>
</div>
{/* Status */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Status *
</label>
<select
name="status"
required
value={formData.status}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
>
<option value="SCHEDULED">Scheduled</option>
<option value="IN_PROGRESS">In Progress</option>
<option value="COMPLETED">Completed</option>
<option value="CANCELLED">Cancelled</option>
</select>
</div>
{/* Driver Selection */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Assigned Driver
</label>
<select
name="driverId"
value={formData.driverId}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
>
<option value="">No driver assigned</option>
{drivers?.map((driver) => (
<option key={driver.id} value={driver.id}>
{driver.name} ({driver.phone})
</option>
))}
</select>
</div>
{/* Description */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Description
</label>
<textarea
name="description"
value={formData.description}
onChange={handleChange}
rows={3}
placeholder="Additional notes or instructions"
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
{/* Actions */}
<div className="flex gap-3 pt-4">
<>
<div className="fixed inset-0 bg-black bg-opacity-50 flex items-center justify-center p-4 z-50">
<div className="bg-white rounded-lg shadow-xl max-w-3xl w-full max-h-[90vh] overflow-y-auto">
<div className="flex items-center justify-between p-6 border-b sticky top-0 bg-white z-10">
<h2 className="text-2xl font-bold text-gray-900">
{event ? 'Edit Event' : 'Add New Event'}
</h2>
<button
type="submit"
disabled={isSubmitting}
className="flex-1 bg-primary text-white py-2 px-4 rounded-md hover:bg-primary/90 disabled:opacity-50"
>
{isSubmitting ? 'Saving...' : event ? 'Update Event' : 'Create Event'}
</button>
<button
type="button"
onClick={onCancel}
className="flex-1 bg-gray-200 text-gray-800 py-2 px-4 rounded-md hover:bg-gray-300"
className="text-gray-400 hover:text-gray-600"
style={{ minWidth: '44px', minHeight: '44px' }}
>
Cancel
<X className="h-6 w-6" />
</button>
</div>
</form>
<form onSubmit={handleSubmit} className="p-6 space-y-4">
{/* VIP Multi-Select */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-2">
<Users className="inline h-4 w-4 mr-1" />
VIPs * (select one or more)
</label>
<div className="border border-gray-300 rounded-md p-3 max-h-48 overflow-y-auto">
{vips?.map((vip) => (
<label
key={vip.id}
className="flex items-center py-2 px-3 hover:bg-gray-50 rounded cursor-pointer"
style={{ minHeight: '44px' }}
>
<input
type="checkbox"
checked={formData.vipIds.includes(vip.id)}
onChange={() => handleVipToggle(vip.id)}
className="h-4 w-4 text-primary rounded border-gray-300 focus:ring-primary"
/>
<span className="ml-3 text-base text-gray-700">
{vip.name}
{vip.organization && (
<span className="text-sm text-gray-500 ml-2">({vip.organization})</span>
)}
</span>
</label>
))}
</div>
<div className="mt-2 text-sm text-gray-600">
<strong>Selected ({formData.vipIds.length}):</strong> {selectedVipNames}
</div>
</div>
{/* Title */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Event Title *
</label>
<input
type="text"
name="title"
required
value={formData.title}
onChange={handleChange}
placeholder="e.g., Transport to Campfire Night"
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
{/* Pickup & Dropoff Locations */}
<div className="grid grid-cols-2 gap-4">
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Pickup Location
</label>
<input
type="text"
name="pickupLocation"
value={formData.pickupLocation}
onChange={handleChange}
placeholder="e.g., Grand Hotel Lobby"
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Dropoff Location
</label>
<input
type="text"
name="dropoffLocation"
value={formData.dropoffLocation}
onChange={handleChange}
placeholder="e.g., Camp Amphitheater"
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
</div>
{/* Start & End Time */}
<div className="grid grid-cols-2 gap-4">
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Start Time *
</label>
<input
type="datetime-local"
name="startTime"
required
value={formData.startTime}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
End Time *
</label>
<input
type="datetime-local"
name="endTime"
required
value={formData.endTime}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
</div>
{/* Vehicle Selection with Capacity */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
<Car className="inline h-4 w-4 mr-1" />
Assigned Vehicle
</label>
<select
name="vehicleId"
value={formData.vehicleId}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
>
<option value="">No vehicle assigned</option>
{vehicles?.map((vehicle) => (
<option key={vehicle.id} value={vehicle.id}>
{vehicle.name} ({vehicle.type}, {vehicle.seatCapacity} seats)
</option>
))}
</select>
{selectedVehicle && (
<div className={`mt-2 text-sm ${seatsUsed > seatsAvailable ? 'text-red-600 font-medium' : 'text-gray-600'}`}>
Capacity: {seatsUsed}/{seatsAvailable} seats used
{seatsUsed > seatsAvailable && ' ⚠️ OVER CAPACITY'}
</div>
)}
</div>
{/* Driver Selection */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Assigned Driver
</label>
<select
name="driverId"
value={formData.driverId}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
>
<option value="">No driver assigned</option>
{drivers?.map((driver) => (
<option key={driver.id} value={driver.id}>
{driver.name} ({driver.phone})
</option>
))}
</select>
</div>
{/* Event Type & Status */}
<div className="grid grid-cols-2 gap-4">
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Event Type *
</label>
<select
name="type"
required
value={formData.type}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
>
<option value="TRANSPORT">Transport</option>
<option value="MEETING">Meeting</option>
<option value="EVENT">Event</option>
<option value="MEAL">Meal</option>
<option value="ACCOMMODATION">Accommodation</option>
</select>
</div>
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Status *
</label>
<select
name="status"
required
value={formData.status}
onChange={handleChange}
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
>
<option value="SCHEDULED">Scheduled</option>
<option value="IN_PROGRESS">In Progress</option>
<option value="COMPLETED">Completed</option>
<option value="CANCELLED">Cancelled</option>
</select>
</div>
</div>
{/* Description */}
<div>
<label className="block text-sm font-medium text-gray-700 mb-1">
Description
</label>
<textarea
name="description"
value={formData.description}
onChange={handleChange}
rows={3}
placeholder="Additional notes or instructions"
className="w-full px-3 py-2 border border-gray-300 rounded-md focus:outline-none focus:ring-2 focus:ring-primary"
/>
</div>
{/* Actions */}
<div className="flex gap-3 pt-4">
<button
type="submit"
disabled={isSubmitting || formData.vipIds.length === 0}
className="flex-1 bg-primary text-white py-2 px-4 rounded-md hover:bg-primary/90 disabled:opacity-50"
style={{ minHeight: '44px' }}
>
{isSubmitting ? 'Saving...' : event ? 'Update Event' : 'Create Event'}
</button>
<button
type="button"
onClick={onCancel}
className="flex-1 bg-gray-200 text-gray-800 py-2 px-4 rounded-md hover:bg-gray-300"
style={{ minHeight: '44px' }}
>
Cancel
</button>
</div>
</form>
</div>
</div>
</div>
{/* Conflict Dialog */}
{showConflictDialog && createPortal(
<div className="fixed inset-0 bg-black bg-opacity-50 flex items-center justify-center p-4 z-[60]">
<div className="bg-white rounded-lg shadow-xl w-full max-w-2xl mx-4">
<div className="p-6">
<div className="flex items-start gap-4">
<div className="flex-shrink-0">
<div className="w-12 h-12 rounded-full bg-yellow-100 flex items-center justify-center">
<AlertTriangle className="h-6 w-6 text-yellow-600" />
</div>
</div>
<div className="flex-1">
<h3 className="text-lg font-semibold text-gray-900 mb-2">
Scheduling Conflict Detected
</h3>
<p className="text-base text-gray-600 mb-4">
This driver already has {conflicts.length} conflicting event{conflicts.length > 1 ? 's' : ''} scheduled during this time:
</p>
<div className="space-y-2 mb-6">
{conflicts.map((conflict) => (
<div
key={conflict.id}
className="bg-yellow-50 border border-yellow-200 rounded-md p-4"
>
<div className="font-medium text-gray-900">{conflict.title}</div>
<div className="text-sm text-gray-600 mt-1">
{formatDateTime(conflict.startTime)} - {formatDateTime(conflict.endTime)}
</div>
</div>
))}
</div>
<p className="text-base text-gray-700 font-medium mb-6">
Do you want to proceed with this assignment anyway?
</p>
<div className="flex gap-3">
<button
onClick={handleCancelConflict}
className="flex-1 px-4 py-3 border border-gray-300 rounded-md text-base font-medium text-gray-700 hover:bg-gray-50"
style={{ minHeight: '44px' }}
>
Cancel
</button>
<button
onClick={handleForceSubmit}
disabled={isSubmitting}
className="flex-1 px-4 py-3 bg-yellow-600 text-white rounded-md text-base font-medium hover:bg-yellow-700 disabled:opacity-50"
style={{ minHeight: '44px' }}
>
{isSubmitting ? 'Saving...' : 'Assign Anyway'}
</button>
</div>
</div>
</div>
</div>
</div>
</div>,
document.body
)}
{/* Capacity Warning Dialog */}
{showCapacityWarning && capacityExceeded && createPortal(
<div className="fixed inset-0 bg-black bg-opacity-50 flex items-center justify-center p-4 z-[60]">
<div className="bg-white rounded-lg shadow-xl w-full max-w-md mx-4">
<div className="p-6">
<div className="flex items-start gap-4">
<div className="flex-shrink-0">
<div className="w-12 h-12 rounded-full bg-orange-100 flex items-center justify-center">
<AlertTriangle className="h-6 w-6 text-orange-600" />
</div>
</div>
<div className="flex-1">
<h3 className="text-lg font-semibold text-gray-900 mb-2">
Vehicle Capacity Exceeded
</h3>
<p className="text-base text-gray-600 mb-4">
You've assigned {capacityExceeded.requested} VIP{capacityExceeded.requested > 1 ? 's' : ''} to a vehicle with only {capacityExceeded.capacity} seat{capacityExceeded.capacity > 1 ? 's' : ''}.
</p>
<p className="text-base text-gray-700 font-medium mb-6">
Do you want to proceed anyway?
</p>
<div className="flex gap-3">
<button
onClick={handleCancelConflict}
className="flex-1 px-4 py-3 border border-gray-300 rounded-md text-base font-medium text-gray-700 hover:bg-gray-50"
style={{ minHeight: '44px' }}
>
Cancel
</button>
<button
onClick={handleForceSubmit}
disabled={isSubmitting}
className="flex-1 px-4 py-3 bg-orange-600 text-white rounded-md text-base font-medium hover:bg-orange-700 disabled:opacity-50"
style={{ minHeight: '44px' }}
>
{isSubmitting ? 'Saving...' : 'Save Anyway'}
</button>
</div>
</div>
</div>
</div>
</div>
</div>,
document.body
)}
</>
);
}