feat: add lists page

This commit is contained in:
Levente Orban
2025-08-27 08:46:54 +02:00
parent c2874464d0
commit 9e4260c6bd
9 changed files with 361 additions and 9 deletions

View File

@@ -0,0 +1,34 @@
-- Migration: Add user_id column to Events table
-- Run this against your existing Supabase database
-- Add user_id column to existing events table
ALTER TABLE events
ADD COLUMN user_id VARCHAR(100);
-- Set a default value for existing records (you can modify this if needed)
-- This assigns a unique user ID to each existing event
UPDATE events
SET user_id = 'legacy_user_' || id::text
WHERE user_id IS NULL;
-- Make the column NOT NULL after setting default values
ALTER TABLE events
ALTER COLUMN user_id SET NOT NULL;
-- Add index for better performance
CREATE INDEX IF NOT EXISTS idx_events_user_id ON events(user_id);
-- Verify the migration
SELECT
column_name,
data_type,
is_nullable,
column_default
FROM information_schema.columns
WHERE table_name = 'events'
AND column_name = 'user_id';
-- Show sample of updated data
SELECT id, name, user_id, created_at
FROM events
LIMIT 5;

View File

@@ -25,7 +25,7 @@
</button> </button>
</div> </div>
<!-- Desktop Navigation --> <!-- Navigation -->
<div class="md:flex md:items-center md:space-x-8"> <div class="md:flex md:items-center md:space-x-8">
<button <button
on:click={() => navigateTo('/')} on:click={() => navigateTo('/')}
@@ -40,6 +40,13 @@
> >
Create Create
</button> </button>
<button
on:click={() => navigateTo('/event')}
class={isActive('/event') ? 'text-violet-400' : 'cursor-pointer'}
>
List
</button>
</div> </div>
</div> </div>
</div> </div>

View File

@@ -28,6 +28,7 @@ function convertDatabaseEvent(dbEvent: DatabaseEvent): Event {
location: dbEvent.location, location: dbEvent.location,
type: dbEvent.type, type: dbEvent.type,
attendee_limit: dbEvent.attendee_limit, attendee_limit: dbEvent.attendee_limit,
user_id: dbEvent.user_id,
created_at: dbEvent.created_at, created_at: dbEvent.created_at,
updated_at: dbEvent.updated_at updated_at: dbEvent.updated_at
}; };
@@ -49,7 +50,7 @@ export const eventsStore = {
subscribeRSVPs: rsvps.subscribe, subscribeRSVPs: rsvps.subscribe,
// Create a new event // Create a new event
createEvent: async (eventData: CreateEventData): Promise<string> => { createEvent: async (eventData: CreateEventData, userId: string): Promise<string> => {
const eventId = generateEventId(); const eventId = generateEventId();
const now = new Date().toISOString(); const now = new Date().toISOString();
@@ -62,6 +63,7 @@ export const eventsStore = {
location: eventData.location, location: eventData.location,
type: eventData.type, type: eventData.type,
attendee_limit: eventData.attendee_limit, attendee_limit: eventData.attendee_limit,
user_id: userId,
created_at: now, created_at: now,
updated_at: now updated_at: now
}); });
@@ -72,6 +74,7 @@ export const eventsStore = {
const newEvent: Event = { const newEvent: Event = {
id: eventId, id: eventId,
...eventData, ...eventData,
user_id: userId,
created_at: now, created_at: now,
updated_at: now updated_at: now
}; };
@@ -245,5 +248,69 @@ export const eventsStore = {
console.error('Error fetching event with RSVPs:', error); console.error('Error fetching event with RSVPs:', error);
return undefined; return undefined;
} }
},
// Get events by user ID
getEventsByUser: async (userId: string): Promise<Event[]> => {
try {
const { data, error } = await supabase
.from('events')
.select('*')
.eq('user_id', userId)
.order('created_at', { ascending: false });
if (error) throw error;
const userEvents = data?.map(convertDatabaseEvent) || [];
// Update local store
userEvents.forEach((event) => {
events.update((currentEvents) => {
const newMap = new Map(currentEvents);
newMap.set(event.id, event);
return newMap;
});
});
return userEvents;
} catch (error) {
console.error('Error fetching user events:', error);
return [];
}
},
// Delete event (only by the user who created it)
deleteEvent: async (eventId: string, userId: string): Promise<boolean> => {
try {
// First verify the user owns this event
const event = await eventsStore.getEvent(eventId);
if (!event || event.user_id !== userId) {
return false; // User doesn't own this event
}
// Delete the event (RSVPs will be deleted automatically due to CASCADE)
const { error } = await supabase.from('events').delete().eq('id', eventId);
if (error) throw error;
// Remove from local store
events.update((currentEvents) => {
const newMap = new Map(currentEvents);
newMap.delete(eventId);
return newMap;
});
// Remove RSVPs from local store
rsvps.update((currentRSVPs) => {
const newMap = new Map(currentRSVPs);
newMap.delete(eventId);
return newMap;
});
return true;
} catch (error) {
console.error('Error deleting event:', error);
return false;
}
} }
}; };

View File

@@ -8,6 +8,7 @@ export interface Event {
location: string; location: string;
type: EventType; type: EventType;
attendee_limit?: number; attendee_limit?: number;
user_id: string;
created_at: string; created_at: string;
updated_at: string; updated_at: string;
} }
@@ -37,6 +38,7 @@ export interface DatabaseEvent {
location: string; location: string;
type: EventType; type: EventType;
attendee_limit?: number; attendee_limit?: number;
user_id: string;
created_at: string; created_at: string;
updated_at: string; updated_at: string;
} }

View File

@@ -43,12 +43,6 @@
> >
Create Event Now Create Event Now
</button> </button>
<button
on:click={() => goto('/about')}
class="rounded-sm border-2 px-8 py-4 font-bold duration-400 hover:scale-110 hover:bg-white/10"
>
Learn More
</button>
</div> </div>
</div> </div>
</div> </div>

View File

@@ -2,6 +2,7 @@
import { eventsStore } from '$lib/stores/events-supabase'; import { eventsStore } from '$lib/stores/events-supabase';
import type { CreateEventData, EventType } from '$lib/types'; import type { CreateEventData, EventType } from '$lib/types';
import { goto } from '$app/navigation'; import { goto } from '$app/navigation';
import { onMount } from 'svelte';
let eventData: CreateEventData = { let eventData: CreateEventData = {
name: '', name: '',
@@ -14,10 +15,26 @@
let errors: Record<string, string> = {}; let errors: Record<string, string> = {};
let isSubmitting = false; let isSubmitting = false;
let currentUserId = '';
// Get today's date in YYYY-MM-DD format for min attribute // Get today's date in YYYY-MM-DD format for min attribute
const today = new Date().toISOString().split('T')[0]; const today = new Date().toISOString().split('T')[0];
// Generate or retrieve user ID on mount
onMount(() => {
generateUserId();
});
function generateUserId() {
// Generate a unique user ID and store it in localStorage
let userId = localStorage.getItem('eventCactusUserId');
if (!userId) {
userId = 'user_' + Date.now() + '_' + Math.random().toString(36).substr(2, 9);
localStorage.setItem('eventCactusUserId', userId);
}
currentUserId = userId;
}
function validateForm(): boolean { function validateForm(): boolean {
errors = {}; errors = {};
@@ -58,7 +75,7 @@
// Simulate API call delay // Simulate API call delay
await new Promise((resolve) => setTimeout(resolve, 1000)); await new Promise((resolve) => setTimeout(resolve, 1000));
const eventId = await eventsStore.createEvent(eventData); const eventId = await eventsStore.createEvent(eventData, currentUserId);
// Redirect to the event page // Redirect to the event page
goto(`/event/${eventId}`); goto(`/event/${eventId}`);

View File

@@ -0,0 +1,231 @@
<script lang="ts">
import { eventsStore } from '$lib/stores/events-supabase';
import type { Event } from '$lib/types';
import { goto } from '$app/navigation';
import { onMount } from 'svelte';
let userEvents: Event[] = [];
let isLoading = true;
let error = '';
let currentUserId = '';
let showDeleteModal = false;
let eventToDelete: Event | null = null;
onMount(() => {
generateUserId();
loadUserEvents();
});
function generateUserId() {
// Generate a unique user ID and store it in localStorage
let userId = localStorage.getItem('eventCactusUserId');
if (!userId) {
userId = 'user_' + Date.now() + '_' + Math.random().toString(36).substr(2, 9);
localStorage.setItem('eventCactusUserId', userId);
}
currentUserId = userId;
}
async function loadUserEvents() {
if (!currentUserId) return;
try {
isLoading = true;
userEvents = await eventsStore.getEventsByUser(currentUserId);
} catch (err) {
error = 'Failed to load your events';
} finally {
isLoading = false;
}
}
function openDeleteModal(event: Event) {
eventToDelete = event;
showDeleteModal = true;
}
async function confirmDelete() {
if (!eventToDelete) return;
try {
const eventId = eventToDelete.id;
const success = await eventsStore.deleteEvent(eventId, currentUserId);
if (success) {
// Remove from local list
userEvents = userEvents.filter((event) => event.id !== eventId);
showDeleteModal = false;
eventToDelete = null;
} else {
error = 'Failed to delete event. You may not have permission to delete this event.';
}
} catch (err) {
error = 'An error occurred while deleting the event';
}
}
function closeDeleteModal() {
showDeleteModal = false;
eventToDelete = null;
}
function formatDate(dateString: string): string {
const date = new Date(dateString);
const year = date.getFullYear();
const month = String(date.getMonth() + 1).padStart(2, '0');
const day = String(date.getDate()).padStart(2, '0');
return `${year}/${month}/${day}`;
}
function formatTime(timeString: string): string {
const [hours, minutes] = timeString.split(':');
return `${hours}:${minutes}`;
}
</script>
<svelte:head>
<title>My Events - Event Cactus</title>
</svelte:head>
<div class="flex min-h-screen flex-col">
<!-- Main Content -->
<div class="container mx-auto mt-8 flex-1 px-4 py-8 text-white">
{#if isLoading}
<div class="mx-auto max-w-2xl text-center">
<div
class="mx-auto mb-4 h-8 w-8 animate-spin rounded-full border-b-2 border-violet-600"
></div>
<p>Loading your events...</p>
</div>
{:else if error}
<div class="mx-auto max-w-2xl text-center">
<div class="mb-4 text-4xl text-red-500">⚠️</div>
<p class="text-red-600">{error}</p>
<button
on:click={loadUserEvents}
class="rounded-sm border-2 border-violet-500 px-8 py-4 font-bold duration-400 hover:scale-110 hover:bg-violet-500/10"
>
Try Again
</button>
</div>
{:else if userEvents.length === 0}
<div class="mx-auto max-w-2xl text-center">
<div class="mb-4 animate-pulse text-6xl">🎉</div>
<h2 class="mb-4 text-2xl font-bold">No Events Yet</h2>
<p class="text-white-600 mb-8">
You haven't created any events yet. Start by creating your first event!
</p>
<button
on:click={() => goto('/create')}
class="rounded-sm border-2 border-violet-500 px-8 py-4 font-bold duration-400 hover:scale-110 hover:bg-violet-500/10"
>
Create Your First Event
</button>
</div>
{:else}
<div class="mx-auto max-w-4xl">
<div class="mb-6">
<h2 class="text-2xl font-bold text-slate-400">Your Events ({userEvents.length})</h2>
</div>
<div class="grid gap-6 md:grid-cols-2 lg:grid-cols-3">
{#each userEvents as event}
<div class="rounded-sm border border-slate-200 p-6 shadow-sm">
<div class="mb-4">
<h3 class="mb-2 text-xl font-bold text-slate-300">{event.name}</h3>
<div class="space-y-2 text-sm text-slate-500">
<div class="flex items-center space-x-2">
<svg class="h-4 w-4" fill="none" stroke="currentColor" viewBox="0 0 24 24">
<path
stroke-linecap="round"
stroke-linejoin="round"
stroke-width="2"
d="M8 7V3m8 4V3m-9 8h10M5 21h14a2 2 0 002-2V7a2 2 0 00-2-2H5a2 2 0 00-2 2v12a2 2 0 002 2z"
></path>
</svg>
<span>{formatDate(event.date)} at {formatTime(event.time)}</span>
</div>
<div class="flex items-center space-x-2">
<svg class="h-4 w-4" fill="none" stroke="currentColor" viewBox="0 0 24 24">
<path
stroke-linecap="round"
stroke-linejoin="round"
stroke-width="2"
d="M17.657 16.657L13.414 20.9a1.998 1.998 0 01-2.827 0l-4.244-4.243a8 8 0 1111.314 0z"
></path>
<path
stroke-linecap="round"
stroke-linejoin="round"
stroke-width="2"
d="M15 11a3 3 0 11-6 0 3 3 0 016 0z"
></path>
</svg>
<span>{event.location}</span>
</div>
<div class="flex items-center space-x-2">
<span class="rounded-sm border border-slate-300 px-2 py-1 text-xs font-medium">
{event.type === 'limited' ? 'Limited' : 'Unlimited'}
</span>
{#if event.type === 'limited' && event.attendee_limit}
<span class="text-xs">{event.attendee_limit} max</span>
{/if}
</div>
</div>
</div>
<div class="flex space-x-3">
<button
on:click={() => goto(`/event/${event.id}`)}
class="flex-1 rounded-sm border-2 border-violet-500 bg-violet-400/20 px-4 py-2 font-semibold duration-200 hover:bg-violet-400/70"
>
View
</button>
<button
on:click={() => openDeleteModal(event)}
class="flex-1 rounded-sm border-2 border-red-400 bg-red-400/20 px-4 py-2 font-semibold text-white duration-200 hover:bg-red-400/70"
aria-label="Delete event"
>
Delete
</button>
</div>
</div>
{/each}
</div>
</div>
{/if}
</div>
</div>
<!-- Delete Confirmation Modal -->
{#if showDeleteModal && eventToDelete}
<div class="fixed inset-0 z-50 flex items-center justify-center p-4 backdrop-blur-sm">
<div class="w-full max-w-md rounded-sm border bg-slate-900/80 p-6">
<div class="mb-6 text-center">
<div
class="mx-auto mb-4 flex h-16 w-16 items-center justify-center rounded-full bg-red-100"
>
<span class="text-2xl text-red-600">🗑️</span>
</div>
<h3 class="mb-2 text-xl font-bold text-white">Delete Event</h3>
<p class="text-slate-400">
Are you sure you want to delete "<span class="font-semibold">{eventToDelete.name}</span>"?
This action cannot be undone and will remove all RSVPs.
</p>
</div>
<div class="flex space-x-3">
<button
on:click={closeDeleteModal}
class="flex-1 rounded-sm border-2 border-slate-300 bg-slate-200 px-4 py-2 font-semibold text-slate-700 transition-all duration-200 hover:bg-slate-300"
>
Cancel
</button>
<button
on:click={confirmDelete}
class="flex-1 rounded-sm border-2 border-red-500 bg-red-500 px-4 py-2 font-semibold text-white transition-all duration-200 hover:bg-red-600"
>
Delete
</button>
</div>
</div>
</div>
{/if}