Refactor code structure and remove redundant changes

This commit is contained in:
pacnpal
2025-11-09 16:31:34 -05:00
parent 2884bc23ce
commit eb68cf40c6
1080 changed files with 27361 additions and 56687 deletions

View File

@@ -0,0 +1,227 @@
import { useState } from 'react';
import { Plus, Clock, CheckCircle } from 'lucide-react';
import { Button } from '@/components/ui/button';
import { Separator } from '@/components/ui/separator';
import { TimelineEventEditorDialog } from './TimelineEventEditorDialog';
import { TimelineEventCard } from './TimelineEventCard';
import { EntityHistoryTimeline } from '@/components/history/EntityHistoryTimeline';
import { useQuery } from '@tanstack/react-query';
import { supabase } from '@/lib/supabaseClient';
import { useAuth } from '@/hooks/useAuth';
import { toast } from 'sonner';
import { getErrorMessage, handleError } from '@/lib/errorHandler';
import { logger } from '@/lib/logger';
import { deleteTimelineEvent } from '@/lib/entitySubmissionHelpers';
import type { EntityType, TimelineEvent } from '@/types/timeline';
interface EntityTimelineManagerProps {
entityType: EntityType;
entityId: string;
entityName: string;
}
export function EntityTimelineManager({
entityType,
entityId,
entityName,
}: EntityTimelineManagerProps) {
const [isDialogOpen, setIsDialogOpen] = useState(false);
const [editingEvent, setEditingEvent] = useState<TimelineEvent | null>(null);
const [showPending, setShowPending] = useState(true);
const { user } = useAuth();
// Fetch approved timeline events
const { data: approvedEvents, refetch: refetchApproved } = useQuery({
queryKey: ['timeline-events', 'approved', entityType, entityId],
queryFn: async () => {
const { data, error } = await supabase
.from('entity_timeline_events')
.select('*')
.eq('entity_type', entityType)
.eq('entity_id', entityId)
.eq('is_public', true)
.not('approved_by', 'is', null)
.order('event_date', { ascending: false });
if (error) throw error;
return data as TimelineEvent[];
},
});
// Fetch user's pending timeline events
const { data: pendingEvents, refetch: refetchPending } = useQuery({
queryKey: ['timeline-events', 'pending', entityType, entityId, user?.id],
queryFn: async () => {
if (!user) return [];
const { data, error } = await supabase
.from('entity_timeline_events')
.select('*')
.eq('entity_type', entityType)
.eq('entity_id', entityId)
.eq('created_by', user.id)
.is('approved_by', null)
.order('created_at', { ascending: false });
if (error) throw error;
return data as TimelineEvent[];
},
enabled: !!user,
});
// Refetch both queries
const refetchAll = () => {
refetchApproved();
refetchPending();
};
// Convert approved events to HistoryEvent format for EntityHistoryTimeline
const historyEvents = approvedEvents?.map((event) => {
let mappedType: 'name_change' | 'status_change' | 'ownership_change' | 'relocation' | 'milestone' = 'milestone';
if (event.event_type === 'name_change') mappedType = 'name_change';
else if (event.event_type === 'status_change') mappedType = 'status_change';
else if (event.event_type === 'operator_change' || event.event_type === 'owner_change') mappedType = 'ownership_change';
else if (event.event_type === 'location_change') mappedType = 'relocation';
return {
date: event.event_date,
title: event.title,
description: event.description,
type: mappedType,
from: event.from_value,
to: event.to_value,
};
}) || [];
// Handle edit
const handleEdit = (event: TimelineEvent) => {
setEditingEvent(event);
setIsDialogOpen(true);
};
// Convert TimelineEvent to the format expected by the dialog
const editingEventForDialog = editingEvent ? {
...editingEvent,
event_date: new Date(editingEvent.event_date),
id: editingEvent.id,
approved_by: editingEvent.approved_by || null,
} : undefined;
// Handle delete
const handleDelete = async (eventId: string) => {
if (!user) {
toast.error('Authentication required', {
description: 'Please sign in to delete timeline events.'
});
return;
}
try {
await deleteTimelineEvent(eventId, user.id);
refetchAll();
toast.success('Event deleted', {
description: 'Your timeline event has been deleted successfully.'
});
} catch (error: unknown) {
handleError(error, {
action: 'Delete Timeline Event',
userId: user?.id,
metadata: { eventId }
});
}
};
// Handle dialog close
const handleDialogChange = (open: boolean) => {
setIsDialogOpen(open);
if (!open) {
setEditingEvent(null);
}
};
// Handle success
const handleSuccess = () => {
refetchAll();
setEditingEvent(null);
setIsDialogOpen(false);
};
const hasPendingEvents = pendingEvents && pendingEvents.length > 0;
return (
<div className="space-y-6">
{/* Header with Add Event button */}
<div className="flex items-center justify-between">
<div className="flex items-center gap-3">
{user && hasPendingEvents && (
<Button
variant="outline"
size="sm"
onClick={() => setShowPending(!showPending)}
>
<Clock className="mr-2 h-4 w-4" />
Pending ({pendingEvents.length})
</Button>
)}
</div>
{user && (
<Button onClick={() => setIsDialogOpen(true)} size="sm">
<Plus className="mr-2 h-4 w-4" />
Add Event
</Button>
)}
</div>
{/* Pending Events Section */}
{user && hasPendingEvents && showPending && (
<div className="space-y-3">
<div className="flex items-center gap-2">
<Clock className="w-5 h-5 text-yellow-500" />
<h3 className="text-lg font-semibold">Pending Submissions</h3>
</div>
<div className="space-y-3">
{pendingEvents.map((event) => (
<TimelineEventCard
key={event.id}
event={event}
onEdit={handleEdit}
onDelete={handleDelete}
canEdit={true}
canDelete={true}
isPending={true}
/>
))}
</div>
<Separator className="my-6" />
</div>
)}
{/* Approved Timeline Events */}
<div className="space-y-3">
<div className="flex items-center gap-2">
<CheckCircle className="w-5 h-5 text-green-500" />
<h3 className="text-lg font-semibold">Timeline History</h3>
</div>
{historyEvents.length > 0 ? (
<EntityHistoryTimeline events={historyEvents} entityName={entityName} />
) : (
<p className="text-sm text-muted-foreground py-8 text-center">
No timeline events yet. Be the first to add one!
</p>
)}
</div>
{/* Editor Dialog */}
<TimelineEventEditorDialog
open={isDialogOpen}
onOpenChange={handleDialogChange}
entityType={entityType}
entityId={entityId}
entityName={entityName}
existingEvent={editingEventForDialog}
onSuccess={handleSuccess}
/>
</div>
);
}