website refactor

This commit is contained in:
2026-01-14 02:02:24 +01:00
parent 8d7c709e0c
commit 4522d41aef
291 changed files with 12763 additions and 9309 deletions

View File

@@ -1,130 +0,0 @@
import React from 'react';
import { Search, Filter, Hash, Star, Trophy, Medal, Percent } from 'lucide-react';
import Button from '@/components/ui/Button';
import Input from '@/components/ui/Input';
type SkillLevel = 'pro' | 'advanced' | 'intermediate' | 'beginner';
type SortBy = 'rank' | 'rating' | 'wins' | 'podiums' | 'winRate';
const SKILL_LEVELS: {
id: SkillLevel;
label: string;
color: string;
bgColor: string;
borderColor: string;
}[] = [
{ id: 'pro', label: 'Pro', color: 'text-yellow-400', bgColor: 'bg-yellow-400/10', borderColor: 'border-yellow-400/30' },
{ id: 'advanced', label: 'Advanced', color: 'text-purple-400', bgColor: 'bg-purple-400/10', borderColor: 'border-purple-400/30' },
{ id: 'intermediate', label: 'Intermediate', color: 'text-primary-blue', bgColor: 'bg-primary-blue/10', borderColor: 'border-primary-blue/30' },
{ id: 'beginner', label: 'Beginner', color: 'text-green-400', bgColor: 'bg-green-400/10', borderColor: 'border-green-400/30' },
];
const SORT_OPTIONS: { id: SortBy; label: string; icon: React.ElementType }[] = [
{ id: 'rank', label: 'Rank', icon: Hash },
{ id: 'rating', label: 'Rating', icon: Star },
{ id: 'wins', label: 'Wins', icon: Trophy },
{ id: 'podiums', label: 'Podiums', icon: Medal },
{ id: 'winRate', label: 'Win Rate', icon: Percent },
];
interface DriverRankingsFilterProps {
searchQuery: string;
onSearchChange: (query: string) => void;
selectedSkill: 'all' | SkillLevel;
onSkillChange: (skill: 'all' | SkillLevel) => void;
sortBy: SortBy;
onSortChange: (sort: SortBy) => void;
showFilters: boolean;
onToggleFilters: () => void;
}
export default function DriverRankingsFilter({
searchQuery,
onSearchChange,
selectedSkill,
onSkillChange,
sortBy,
onSortChange,
showFilters,
onToggleFilters,
}: DriverRankingsFilterProps) {
return (
<div className="mb-6 space-y-4">
<div className="flex flex-col lg:flex-row gap-4">
<div className="flex-1 relative">
<Search className="absolute left-3 top-1/2 -translate-y-1/2 w-5 h-5 text-gray-500" />
<Input
type="text"
placeholder="Search drivers by name or nationality..."
value={searchQuery}
onChange={(e) => onSearchChange(e.target.value)}
className="pl-11"
/>
</div>
<Button
type="button"
variant="secondary"
onClick={onToggleFilters}
className="lg:hidden flex items-center gap-2"
>
<Filter className="w-4 h-4" />
Filters
</Button>
</div>
<div className={`flex flex-wrap gap-2 ${showFilters ? 'block' : 'hidden lg:flex'}`}>
<button
type="button"
onClick={() => onSkillChange('all')}
className={`px-3 py-2 rounded-lg text-sm font-medium transition-all ${
selectedSkill === 'all'
? 'bg-primary-blue text-white'
: 'bg-iron-gray/50 text-gray-400 border border-charcoal-outline hover:text-white'
}`}
>
All Levels
</button>
{SKILL_LEVELS.map((level) => {
return (
<button
key={level.id}
type="button"
onClick={() => onSkillChange(level.id)}
className={`flex items-center gap-1.5 px-3 py-2 rounded-lg text-sm font-medium transition-all ${
selectedSkill === level.id
? `${level.bgColor} ${level.color} border ${level.borderColor}`
: 'bg-iron-gray/50 text-gray-400 border border-charcoal-outline hover:text-white'
}`}
>
{level.label}
</button>
);
})}
</div>
<div className="flex items-center gap-2">
<span className="text-sm text-gray-500">Sort by:</span>
<div className="flex items-center gap-1 p-1 rounded-lg bg-iron-gray/50 border border-charcoal-outline">
{SORT_OPTIONS.map((option) => {
const OptionIcon = option.icon;
return (
<button
key={option.id}
type="button"
onClick={() => onSortChange(option.id)}
className={`flex items-center gap-1.5 px-3 py-1.5 rounded-md text-xs font-medium transition-all ${
sortBy === option.id
? 'bg-primary-blue text-white'
: 'text-gray-400 hover:text-white hover:bg-iron-gray'
}`}
>
<OptionIcon className="w-3.5 h-3.5" />
{option.label}
</button>
);
})}
</div>
</div>
</div>
);
}

View File

@@ -1,103 +0,0 @@
import React from 'react';
import { Trophy, Medal, Crown } from 'lucide-react';
import Image from 'next/image';
import type { DriverLeaderboardItemViewModel } from '@/lib/view-models/DriverLeaderboardItemViewModel';
interface DriverTopThreePodiumProps {
drivers: DriverLeaderboardItemViewModel[];
onDriverClick: (id: string) => void;
}
export default function DriverTopThreePodium({ drivers, onDriverClick }: DriverTopThreePodiumProps) {
if (drivers.length < 3) return null;
const top3 = drivers.slice(0, 3) as [DriverLeaderboardItemViewModel, DriverLeaderboardItemViewModel, DriverLeaderboardItemViewModel];
const podiumOrder: [DriverLeaderboardItemViewModel, DriverLeaderboardItemViewModel, DriverLeaderboardItemViewModel] = [
top3[1],
top3[0],
top3[2],
]; // 2nd, 1st, 3rd
const podiumHeights = ['h-32', 'h-40', 'h-24'];
const podiumColors = [
'from-gray-400/20 to-gray-500/10 border-gray-400/40',
'from-yellow-400/20 to-amber-500/10 border-yellow-400/40',
'from-amber-600/20 to-amber-700/10 border-amber-600/40',
];
const crownColors = ['text-gray-300', 'text-yellow-400', 'text-amber-600'];
const positions = [2, 1, 3];
return (
<div className="mb-10">
<div className="flex items-end justify-center gap-4 lg:gap-8">
{podiumOrder.map((driver, index) => {
const position = positions[index];
return (
<button
key={driver.id}
type="button"
onClick={() => onDriverClick(driver.id)}
className="flex flex-col items-center group"
>
{/* Driver Avatar & Info */}
<div className="relative mb-4">
{/* Crown for 1st place */}
{position === 1 && (
<div className="absolute -top-6 left-1/2 -translate-x-1/2 animate-bounce">
<Crown className="w-8 h-8 text-yellow-400 drop-shadow-[0_0_10px_rgba(250,204,21,0.5)]" />
</div>
)}
{/* Avatar */}
<div className={`relative ${position === 1 ? 'w-24 h-24 lg:w-28 lg:h-28' : 'w-20 h-20 lg:w-24 lg:h-24'} rounded-full overflow-hidden border-4 ${position === 1 ? 'border-yellow-400 shadow-[0_0_30px_rgba(250,204,21,0.3)]' : position === 2 ? 'border-gray-300' : 'border-amber-600'} group-hover:scale-105 transition-transform`}>
<Image
src={driver.avatarUrl}
alt={driver.name}
fill
className="object-cover"
/>
</div>
{/* Position badge */}
<div className={`absolute -bottom-2 left-1/2 -translate-x-1/2 w-8 h-8 rounded-full flex items-center justify-center text-sm font-bold bg-gradient-to-br ${podiumColors[index]} border-2 ${crownColors[index]}`}>
{position}
</div>
</div>
{/* Driver Name */}
<p className={`text-white font-semibold ${position === 1 ? 'text-lg' : 'text-base'} group-hover:text-primary-blue transition-colors mb-1`}>
{driver.name}
</p>
{/* Rating */}
<p className={`font-mono font-bold ${position === 1 ? 'text-xl text-yellow-400' : 'text-lg text-primary-blue'}`}>
{driver.rating.toLocaleString()}
</p>
{/* Stats */}
<div className="flex items-center gap-2 text-xs text-gray-500 mt-1">
<span className="flex items-center gap-1">
<Trophy className="w-3 h-3 text-performance-green" />
{driver.wins}
</span>
<span></span>
<span className="flex items-center gap-1">
<Medal className="w-3 h-3 text-warning-amber" />
{driver.podiums}
</span>
</div>
{/* Podium Stand */}
<div className={`mt-4 w-28 lg:w-36 ${podiumHeights[index]} rounded-t-lg bg-gradient-to-t ${podiumColors[index]} border-t border-x flex items-end justify-center pb-4`}>
<span className={`text-4xl lg:text-5xl font-black ${crownColors[index]}`}>
{position}
</span>
</div>
</button>
);
})}
</div>
</div>
);
}

View File

@@ -1,225 +0,0 @@
'use client';
import { useState, useEffect } from 'react';
import { apiClient } from '@/lib/apiClient';
import Card from '@/components/ui/Card';
import { AdminViewModelPresenter } from '@/lib/view-models/AdminViewModelPresenter';
import { DashboardStatsViewModel } from '@/lib/view-models/AdminUserViewModel';
import {
Users,
Shield,
Activity,
Clock,
AlertTriangle,
RefreshCw
} from 'lucide-react';
export function AdminDashboardPage() {
const [stats, setStats] = useState<DashboardStatsViewModel | null>(null);
const [loading, setLoading] = useState(true);
const [error, setError] = useState<string | null>(null);
useEffect(() => {
loadStats();
}, []);
const loadStats = async () => {
try {
setLoading(true);
setError(null);
const response = await apiClient.admin.getDashboardStats();
// Map DTO to View Model
const viewModel = AdminViewModelPresenter.mapDashboardStats(response);
setStats(viewModel);
} catch (err) {
const message = err instanceof Error ? err.message : 'Failed to load stats';
if (message.includes('403') || message.includes('401')) {
setError('Access denied - You must be logged in as an Owner or Admin');
} else {
setError(message);
}
} finally {
setLoading(false);
}
};
if (loading) {
return (
<div className="flex flex-col items-center justify-center py-20 space-y-3">
<div className="animate-spin rounded-full h-12 w-12 border-b-2 border-primary-blue"></div>
<div className="text-gray-400">Loading dashboard...</div>
</div>
);
}
if (error) {
return (
<div className="container mx-auto p-6">
<div className="bg-racing-red/10 border border-racing-red text-racing-red px-4 py-3 rounded-lg flex items-start gap-3">
<AlertTriangle className="w-5 h-5 mt-0.5 flex-shrink-0" />
<div className="flex-1">
<div className="font-medium">Error</div>
<div className="text-sm opacity-90">{error}</div>
</div>
<button
onClick={loadStats}
className="px-3 py-1 text-xs bg-racing-red/20 hover:bg-racing-red/30 rounded"
>
Retry
</button>
</div>
</div>
);
}
if (!stats) {
return null;
}
// Temporary UI fields (not yet provided by API/ViewModel)
const adminCount = stats.systemAdmins;
const recentActivity: Array<{ description: string; timestamp: string; type: string }> = [];
const systemHealth = 'Healthy';
const totalSessions = 0;
const activeSessions = 0;
const avgSessionDuration = '—';
return (
<div className="container mx-auto p-6 space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold text-white">Admin Dashboard</h1>
<p className="text-gray-400 mt-1">System overview and statistics</p>
</div>
<button
onClick={loadStats}
disabled={loading}
className="px-4 py-2 bg-iron-gray border border-charcoal-outline rounded-lg text-white hover:bg-iron-gray/80 transition-colors flex items-center gap-2 disabled:opacity-50"
>
<RefreshCw className={`w-4 h-4 ${loading ? 'animate-spin' : ''}`} />
Refresh
</button>
</div>
{/* Stats Cards */}
<div className="grid grid-cols-1 md:grid-cols-2 lg:grid-cols-4 gap-4">
<Card className="bg-gradient-to-br from-blue-900/20 to-blue-700/10">
<div className="flex items-center justify-between">
<div>
<div className="text-sm text-gray-400 mb-1">Total Users</div>
<div className="text-3xl font-bold text-white">{stats.totalUsers}</div>
</div>
<Users className="w-8 h-8 text-blue-400" />
</div>
</Card>
<Card className="bg-gradient-to-br from-purple-900/20 to-purple-700/10">
<div className="flex items-center justify-between">
<div>
<div className="text-sm text-gray-400 mb-1">Admins</div>
<div className="text-3xl font-bold text-white">{adminCount}</div>
</div>
<Shield className="w-8 h-8 text-purple-400" />
</div>
</Card>
<Card className="bg-gradient-to-br from-green-900/20 to-green-700/10">
<div className="flex items-center justify-between">
<div>
<div className="text-sm text-gray-400 mb-1">Active Users</div>
<div className="text-3xl font-bold text-white">{stats.activeUsers}</div>
</div>
<Activity className="w-8 h-8 text-green-400" />
</div>
</Card>
<Card className="bg-gradient-to-br from-orange-900/20 to-orange-700/10">
<div className="flex items-center justify-between">
<div>
<div className="text-sm text-gray-400 mb-1">Recent Logins</div>
<div className="text-3xl font-bold text-white">{stats.recentLogins}</div>
</div>
<Clock className="w-8 h-8 text-orange-400" />
</div>
</Card>
</div>
{/* Activity Overview */}
<div className="grid grid-cols-1 lg:grid-cols-2 gap-6">
{/* Recent Activity */}
<Card>
<h3 className="text-lg font-semibold text-white mb-4">Recent Activity</h3>
<div className="space-y-3">
{recentActivity.length > 0 ? (
recentActivity.map((activity, index: number) => (
<div
key={index}
className="flex items-center justify-between p-3 bg-iron-gray/30 rounded-lg border border-charcoal-outline/50"
>
<div className="flex-1">
<div className="text-sm text-white">{activity.description}</div>
<div className="text-xs text-gray-500">{activity.timestamp}</div>
</div>
<span className={`px-2 py-1 text-xs rounded-full ${
activity.type === 'user_created' ? 'bg-blue-500/20 text-blue-300' :
activity.type === 'user_suspended' ? 'bg-yellow-500/20 text-yellow-300' :
activity.type === 'user_deleted' ? 'bg-red-500/20 text-red-300' :
'bg-gray-500/20 text-gray-300'
}`}>
{activity.type.replace('_', ' ')}
</span>
</div>
))
) : (
<div className="text-center py-8 text-gray-500">No recent activity</div>
)}
</div>
</Card>
{/* System Status */}
<Card>
<h3 className="text-lg font-semibold text-white mb-4">System Status</h3>
<div className="space-y-4">
<div className="flex items-center justify-between">
<span className="text-sm text-gray-400">System Health</span>
<span className="px-2 py-1 text-xs rounded-full bg-performance-green/20 text-performance-green">
{systemHealth}
</span>
</div>
<div className="flex items-center justify-between">
<span className="text-sm text-gray-400">Total Sessions</span>
<span className="text-white font-medium">{totalSessions}</span>
</div>
<div className="flex items-center justify-between">
<span className="text-sm text-gray-400">Active Sessions</span>
<span className="text-white font-medium">{activeSessions}</span>
</div>
<div className="flex items-center justify-between">
<span className="text-sm text-gray-400">Avg Session Duration</span>
<span className="text-white font-medium">{avgSessionDuration}</span>
</div>
</div>
</Card>
</div>
{/* Quick Actions */}
<Card>
<h3 className="text-lg font-semibold text-white mb-4">Quick Actions</h3>
<div className="grid grid-cols-1 md:grid-cols-3 gap-3">
<button className="px-4 py-3 bg-primary-blue/20 border border-primary-blue/30 text-primary-blue rounded-lg hover:bg-primary-blue/30 transition-colors text-sm font-medium">
View All Users
</button>
<button className="px-4 py-3 bg-purple-500/20 border border-purple-500/30 text-purple-300 rounded-lg hover:bg-purple-500/30 transition-colors text-sm font-medium">
Manage Admins
</button>
<button className="px-4 py-3 bg-orange-500/20 border border-orange-500/30 text-orange-300 rounded-lg hover:bg-orange-500/30 transition-colors text-sm font-medium">
View Audit Log
</button>
</div>
</Card>
</div>
);
}

View File

@@ -1,180 +0,0 @@
'use client';
import { ReactNode, useState } from 'react';
import {
LayoutDashboard,
Users,
Settings,
LogOut,
Shield,
Activity
} from 'lucide-react';
import { useRouter, usePathname } from 'next/navigation';
import { logoutAction } from '@/app/actions/logoutAction';
interface AdminLayoutProps {
children: ReactNode;
}
type AdminTab = 'dashboard' | 'users';
export function AdminLayout({ children }: AdminLayoutProps) {
const router = useRouter();
const pathname = usePathname();
const [isSidebarOpen, setIsSidebarOpen] = useState(true);
// Determine current tab from pathname
const getCurrentTab = (): AdminTab => {
if (pathname === '/admin') return 'dashboard';
if (pathname === '/admin/users') return 'users';
return 'dashboard';
};
const currentTab = getCurrentTab();
const navigation = [
{
id: 'dashboard',
label: 'Dashboard',
icon: LayoutDashboard,
href: '/admin',
description: 'Overview and statistics'
},
{
id: 'users',
label: 'User Management',
icon: Users,
href: '/admin/users',
description: 'Manage all users'
},
{
id: 'settings',
label: 'Settings',
icon: Settings,
href: '/admin/settings',
description: 'System configuration',
disabled: true
}
];
const handleNavigation = (href: string, disabled?: boolean) => {
if (!disabled) {
router.push(href);
}
};
return (
<div className="flex h-screen bg-deep-graphite overflow-hidden">
{/* Sidebar */}
<aside className={`${isSidebarOpen ? 'w-64' : 'w-20'} bg-iron-gray border-r border-charcoal-outline transition-all duration-300 flex flex-col`}>
{/* Logo/Header */}
<div className="p-4 border-b border-charcoal-outline">
<div className="flex items-center gap-2">
<Shield className="w-6 h-6 text-primary-blue" />
{isSidebarOpen && (
<span className="font-bold text-white text-lg">Admin Panel</span>
)}
</div>
{isSidebarOpen && (
<p className="text-xs text-gray-400 mt-1">System Administration</p>
)}
</div>
{/* Navigation */}
<nav className="flex-1 p-2 space-y-1 overflow-y-auto">
{navigation.map((item) => {
const Icon = item.icon;
const isActive = currentTab === item.id;
const isDisabled = item.disabled;
return (
<button
key={item.id}
onClick={() => handleNavigation(item.href, isDisabled)}
disabled={isDisabled}
className={`
w-full flex items-center gap-3 px-3 py-3 rounded-lg
transition-all duration-200 text-left
${isActive
? 'bg-primary-blue/20 text-primary-blue border border-primary-blue/30'
: 'text-gray-300 hover:bg-iron-gray/50 hover:text-white'
}
${isDisabled ? 'opacity-50 cursor-not-allowed' : ''}
`}
>
<Icon className={`w-5 h-5 flex-shrink-0 ${isActive ? 'text-primary-blue' : 'text-gray-400'}`} />
{isSidebarOpen && (
<div className="flex-1 min-w-0">
<div className="font-medium text-sm">{item.label}</div>
<div className="text-xs text-gray-500">{item.description}</div>
</div>
)}
</button>
);
})}
</nav>
{/* Footer */}
<div className="p-2 border-t border-charcoal-outline space-y-1">
<button
onClick={() => setIsSidebarOpen(!isSidebarOpen)}
className="w-full flex items-center gap-3 px-3 py-2 rounded-lg text-gray-300 hover:bg-iron-gray/50 hover:text-white transition-colors"
>
<Activity className="w-5 h-5" />
{isSidebarOpen && <span className="text-sm">Toggle Sidebar</span>}
</button>
{/* Use form with server action for logout */}
<form action={logoutAction}>
<button
type="submit"
className="w-full flex items-center gap-3 px-3 py-2 rounded-lg text-racing-red hover:bg-racing-red/10 transition-colors"
>
<LogOut className="w-5 h-5" />
{isSidebarOpen && <span className="text-sm">Logout</span>}
</button>
</form>
</div>
</aside>
{/* Main Content */}
<main className="flex-1 flex flex-col overflow-hidden">
{/* Top Bar */}
<header className="bg-iron-gray border-b border-charcoal-outline px-6 py-4">
<div className="flex items-center justify-between">
<div className="flex items-center gap-4">
<div className="p-2 bg-primary-blue/20 rounded-lg">
<Shield className="w-5 h-5 text-primary-blue" />
</div>
<div>
<h2 className="text-lg font-semibold text-white">
{navigation.find(n => n.id === currentTab)?.label || 'Admin'}
</h2>
<p className="text-xs text-gray-400">
{navigation.find(n => n.id === currentTab)?.description}
</p>
</div>
</div>
<div className="flex items-center gap-4">
<div className="flex items-center gap-2 px-3 py-1.5 bg-deep-graphite rounded-lg border border-charcoal-outline">
<Shield className="w-4 h-4 text-purple-500" />
<span className="text-xs font-medium text-purple-400">Super Admin</span>
</div>
<div className="text-right hidden sm:block">
<div className="text-sm font-medium text-white">System Administrator</div>
<div className="text-xs text-gray-400">Full Access</div>
</div>
</div>
</div>
</header>
{/* Content Area */}
<div className="flex-1 overflow-y-auto bg-deep-graphite">
{children}
</div>
</main>
</div>
);
}

View File

@@ -1,359 +0,0 @@
'use client';
import { useState, useEffect } from 'react';
import { apiClient } from '@/lib/apiClient';
import Card from '@/components/ui/Card';
import StatusBadge from '@/components/ui/StatusBadge';
import { AdminViewModelPresenter } from '@/lib/view-models/AdminViewModelPresenter';
import { AdminUserViewModel, UserListViewModel } from '@/lib/view-models/AdminUserViewModel';
import {
Search,
Filter,
RefreshCw,
Users,
Shield,
Trash2,
AlertTriangle
} from 'lucide-react';
export function AdminUsersPage() {
const [userList, setUserList] = useState<UserListViewModel | null>(null);
const [loading, setLoading] = useState(true);
const [error, setError] = useState<string | null>(null);
const [search, setSearch] = useState('');
const [roleFilter, setRoleFilter] = useState('');
const [statusFilter, setStatusFilter] = useState('');
const [deletingUser, setDeletingUser] = useState<string | null>(null);
useEffect(() => {
const timeout = setTimeout(() => {
loadUsers();
}, 300);
return () => clearTimeout(timeout);
}, [search, roleFilter, statusFilter]);
const loadUsers = async () => {
try {
setLoading(true);
setError(null);
const response = await apiClient.admin.listUsers({
search: search || undefined,
role: roleFilter || undefined,
status: statusFilter || undefined,
page: 1,
limit: 50,
});
// Map DTO to View Model
const viewModel = AdminViewModelPresenter.mapUserList(response);
setUserList(viewModel);
} catch (err) {
const message = err instanceof Error ? err.message : 'Failed to load users';
if (message.includes('403') || message.includes('401')) {
setError('Access denied - You must be logged in as an Owner or Admin');
} else {
setError(message);
}
} finally {
setLoading(false);
}
};
const handleUpdateStatus = async (userId: string, newStatus: string) => {
try {
await apiClient.admin.updateUserStatus(userId, newStatus);
await loadUsers();
} catch (err) {
setError(err instanceof Error ? err.message : 'Failed to update status');
}
};
const toStatusBadgeProps = (
status: string,
): { status: 'success' | 'warning' | 'error' | 'neutral'; label: string } => {
switch (status) {
case 'active':
return { status: 'success', label: 'Active' };
case 'suspended':
return { status: 'warning', label: 'Suspended' };
case 'deleted':
return { status: 'error', label: 'Deleted' };
default:
return { status: 'neutral', label: status };
}
};
const handleDeleteUser = async (userId: string) => {
if (!confirm('Are you sure you want to delete this user? This action cannot be undone.')) {
return;
}
try {
setDeletingUser(userId);
await apiClient.admin.deleteUser(userId);
await loadUsers();
} catch (err) {
setError(err instanceof Error ? err.message : 'Failed to delete user');
} finally {
setDeletingUser(null);
}
};
const clearFilters = () => {
setSearch('');
setRoleFilter('');
setStatusFilter('');
};
return (
<div className="container mx-auto p-6 space-y-6">
{/* Header */}
<div className="flex items-center justify-between">
<div>
<h1 className="text-2xl font-bold text-white">User Management</h1>
<p className="text-gray-400 mt-1">Manage and monitor all system users</p>
</div>
<button
onClick={loadUsers}
disabled={loading}
className="px-4 py-2 bg-iron-gray border border-charcoal-outline rounded-lg text-white hover:bg-iron-gray/80 transition-colors flex items-center gap-2 disabled:opacity-50"
>
<RefreshCw className={`w-4 h-4 ${loading ? 'animate-spin' : ''}`} />
Refresh
</button>
</div>
{/* Error Banner */}
{error && (
<div className="bg-racing-red/10 border border-racing-red text-racing-red px-4 py-3 rounded-lg flex items-start gap-3">
<AlertTriangle className="w-5 h-5 mt-0.5 flex-shrink-0" />
<div className="flex-1">
<div className="font-medium">Error</div>
<div className="text-sm opacity-90">{error}</div>
</div>
<button
onClick={() => setError(null)}
className="text-racing-red hover:opacity-70"
>
×
</button>
</div>
)}
{/* Filters Card */}
<Card>
<div className="space-y-4">
<div className="flex items-center justify-between">
<div className="flex items-center gap-2">
<Filter className="w-4 h-4 text-gray-400" />
<span className="font-medium text-white">Filters</span>
</div>
{(search || roleFilter || statusFilter) && (
<button
onClick={clearFilters}
className="text-xs text-primary-blue hover:text-blue-400"
>
Clear all
</button>
)}
</div>
<div className="grid grid-cols-1 md:grid-cols-3 gap-4">
<div className="relative">
<Search className="absolute left-3 top-1/2 -translate-y-1/2 w-4 h-4 text-gray-400" />
<input
type="text"
placeholder="Search by email or name..."
value={search}
onChange={(e) => setSearch(e.target.value)}
className="w-full pl-9 pr-3 py-2 bg-deep-graphite border border-charcoal-outline rounded-lg text-white placeholder-gray-500 focus:outline-none focus:border-primary-blue transition-colors"
/>
</div>
<select
value={roleFilter}
onChange={(e) => setRoleFilter(e.target.value)}
className="w-full px-3 py-2 bg-deep-graphite border border-charcoal-outline rounded-lg text-white focus:outline-none focus:border-primary-blue transition-colors"
>
<option value="">All Roles</option>
<option value="owner">Owner</option>
<option value="admin">Admin</option>
<option value="user">User</option>
</select>
<select
value={statusFilter}
onChange={(e) => setStatusFilter(e.target.value)}
className="w-full px-3 py-2 bg-deep-graphite border border-charcoal-outline rounded-lg text-white focus:outline-none focus:border-primary-blue transition-colors"
>
<option value="">All Status</option>
<option value="active">Active</option>
<option value="suspended">Suspended</option>
<option value="deleted">Deleted</option>
</select>
</div>
</div>
</Card>
{/* Users Table */}
<Card>
{loading ? (
<div className="flex flex-col items-center justify-center py-12 space-y-3">
<div className="animate-spin rounded-full h-8 w-8 border-b-2 border-primary-blue"></div>
<div className="text-gray-400">Loading users...</div>
</div>
) : !userList || !userList.hasUsers ? (
<div className="flex flex-col items-center justify-center py-12 space-y-3">
<Users className="w-12 h-12 text-gray-600" />
<div className="text-gray-400">No users found</div>
<button
onClick={clearFilters}
className="text-primary-blue hover:text-blue-400 text-sm"
>
Clear filters
</button>
</div>
) : (
<div className="overflow-x-auto">
<table className="w-full">
<thead>
<tr className="border-b border-charcoal-outline">
<th className="text-left py-3 px-4 text-xs font-medium text-gray-400 uppercase">User</th>
<th className="text-left py-3 px-4 text-xs font-medium text-gray-400 uppercase">Email</th>
<th className="text-left py-3 px-4 text-xs font-medium text-gray-400 uppercase">Roles</th>
<th className="text-left py-3 px-4 text-xs font-medium text-gray-400 uppercase">Status</th>
<th className="text-left py-3 px-4 text-xs font-medium text-gray-400 uppercase">Last Login</th>
<th className="text-left py-3 px-4 text-xs font-medium text-gray-400 uppercase">Actions</th>
</tr>
</thead>
<tbody>
{userList.users.map((user: AdminUserViewModel, index: number) => (
<tr
key={user.id}
className={`border-b border-charcoal-outline/50 hover:bg-iron-gray/30 transition-colors ${index % 2 === 0 ? 'bg-transparent' : 'bg-iron-gray/10'}`}
>
<td className="py-3 px-4">
<div className="flex items-center gap-3">
<div className="w-8 h-8 rounded-full bg-primary-blue/20 flex items-center justify-center">
<Shield className="w-4 h-4 text-primary-blue" />
</div>
<div>
<div className="font-medium text-white">{user.displayName}</div>
<div className="text-xs text-gray-500">ID: {user.id}</div>
{user.primaryDriverId && (
<div className="text-xs text-gray-500">Driver: {user.primaryDriverId}</div>
)}
</div>
</div>
</td>
<td className="py-3 px-4">
<div className="text-sm text-gray-300">{user.email}</div>
</td>
<td className="py-3 px-4">
<div className="flex flex-wrap gap-1">
{user.roleBadges.map((badge: string, idx: number) => (
<span
key={idx}
className={`px-2 py-1 text-xs rounded-full font-medium ${
user.roles[idx] === 'owner'
? 'bg-purple-500/20 text-purple-300 border border-purple-500/30'
: user.roles[idx] === 'admin'
? 'bg-blue-500/20 text-blue-300 border border-blue-500/30'
: 'bg-gray-500/20 text-gray-300 border border-gray-500/30'
}`}
>
{badge}
</span>
))}
</div>
</td>
<td className="py-3 px-4">
{(() => {
const badge = toStatusBadgeProps(user.status);
return <StatusBadge status={badge.status} label={badge.label} />;
})()}
</td>
<td className="py-3 px-4">
<div className="text-sm text-gray-400">
{user.lastLoginFormatted}
</div>
</td>
<td className="py-3 px-4">
<div className="flex items-center gap-2">
{user.canSuspend && (
<button
onClick={() => handleUpdateStatus(user.id, 'suspended')}
className="px-3 py-1 text-xs rounded bg-yellow-500/20 text-yellow-300 hover:bg-yellow-500/30 transition-colors"
>
Suspend
</button>
)}
{user.canActivate && (
<button
onClick={() => handleUpdateStatus(user.id, 'active')}
className="px-3 py-1 text-xs rounded bg-performance-green/20 text-performance-green hover:bg-performance-green/30 transition-colors"
>
Activate
</button>
)}
{user.canDelete && (
<button
onClick={() => handleDeleteUser(user.id)}
disabled={deletingUser === user.id}
className="px-3 py-1 text-xs rounded bg-racing-red/20 text-racing-red hover:bg-racing-red/30 transition-colors flex items-center gap-1"
>
<Trash2 className="w-3 h-3" />
{deletingUser === user.id ? 'Deleting...' : 'Delete'}
</button>
)}
</div>
</td>
</tr>
))}
</tbody>
</table>
</div>
)}
</Card>
{/* Stats Summary */}
{userList && (
<div className="grid grid-cols-1 md:grid-cols-3 gap-4">
<Card className="bg-gradient-to-br from-blue-900/20 to-blue-700/10">
<div className="flex items-center justify-between">
<div>
<div className="text-sm text-gray-400 mb-1">Total Users</div>
<div className="text-2xl font-bold text-white">{userList.total}</div>
</div>
<Users className="w-6 h-6 text-blue-400" />
</div>
</Card>
<Card className="bg-gradient-to-br from-green-900/20 to-green-700/10">
<div className="flex items-center justify-between">
<div>
<div className="text-sm text-gray-400 mb-1">Active</div>
<div className="text-2xl font-bold text-white">
{userList.users.filter(u => u.status === 'active').length}
</div>
</div>
<div className="w-6 h-6 text-green-400"></div>
</div>
</Card>
<Card className="bg-gradient-to-br from-purple-900/20 to-purple-700/10">
<div className="flex items-center justify-between">
<div>
<div className="text-sm text-gray-400 mb-1">Admins</div>
<div className="text-2xl font-bold text-white">
{userList.users.filter(u => u.isSystemAdmin).length}
</div>
</div>
<Shield className="w-6 h-6 text-purple-400" />
</div>
</Card>
</div>
)}
</div>
);
}

View File

@@ -1,53 +0,0 @@
import { Activity, Trophy, Medal, UserPlus, Heart, Flag, Play } from 'lucide-react';
import Button from '@/components/ui/Button';
import Link from 'next/link';
import { timeAgo } from '@/lib/utilities/time';
interface FeedItemData {
id: string;
type: string;
headline: string;
body?: string;
timestamp: string;
formattedTime: string;
ctaHref?: string;
ctaLabel?: string;
}
function FeedItemRow({ item }: { item: FeedItemData }) {
const getActivityIcon = (type: string) => {
if (type.includes('win')) return { icon: Trophy, color: 'text-yellow-400 bg-yellow-400/10' };
if (type.includes('podium')) return { icon: Medal, color: 'text-warning-amber bg-warning-amber/10' };
if (type.includes('join')) return { icon: UserPlus, color: 'text-performance-green bg-performance-green/10' };
if (type.includes('friend')) return { icon: Heart, color: 'text-pink-400 bg-pink-400/10' };
if (type.includes('league')) return { icon: Flag, color: 'text-primary-blue bg-primary-blue/10' };
if (type.includes('race')) return { icon: Play, color: 'text-red-400 bg-red-400/10' };
return { icon: Activity, color: 'text-gray-400 bg-gray-400/10' };
};
const { icon: Icon, color } = getActivityIcon(item.type);
return (
<div className="flex gap-3 p-3 rounded-lg bg-deep-graphite/50 border border-charcoal-outline">
<div className={`flex h-10 w-10 items-center justify-center rounded-lg ${color} flex-shrink-0`}>
<Icon className="w-5 h-5" />
</div>
<div className="flex-1 min-w-0">
<p className="text-sm text-white">{item.headline}</p>
{item.body && (
<p className="text-xs text-gray-500 mt-1 line-clamp-2">{item.body}</p>
)}
<p className="text-xs text-gray-500 mt-1">{timeAgo(item.timestamp)}</p>
</div>
{item.ctaHref && (
<Link href={item.ctaHref} className="flex-shrink-0">
<Button variant="secondary" className="text-xs px-3 py-1.5">
{item.ctaLabel || 'View'}
</Button>
</Link>
)}
</div>
);
}
export { FeedItemRow };

View File

@@ -1,33 +0,0 @@
import Link from 'next/link';
import Image from 'next/image';
import { getCountryFlag } from '@/lib/utilities/country';
interface FriendItemProps {
id: string;
name: string;
avatarUrl: string;
country: string;
}
export function FriendItem({ id, name, avatarUrl, country }: FriendItemProps) {
return (
<Link
href={`/drivers/${id}`}
className="flex items-center gap-3 p-2 rounded-lg hover:bg-deep-graphite transition-colors"
>
<div className="w-9 h-9 rounded-full overflow-hidden bg-gradient-to-br from-primary-blue to-purple-600">
<Image
src={avatarUrl}
alt={name}
width={36}
height={36}
className="w-full h-full object-cover"
/>
</div>
<div className="flex-1 min-w-0">
<p className="text-white text-sm font-medium truncate">{name}</p>
<p className="text-xs text-gray-500">{getCountryFlag(country)}</p>
</div>
</Link>
);
}

View File

@@ -1,54 +0,0 @@
import Link from 'next/link';
import { Crown, ChevronRight } from 'lucide-react';
interface LeagueStandingItemProps {
leagueId: string;
leagueName: string;
position: number;
points: number;
totalDrivers: number;
className?: string;
}
export function LeagueStandingItem({
leagueId,
leagueName,
position,
points,
totalDrivers,
className,
}: LeagueStandingItemProps) {
return (
<Link
href={`/leagues/${leagueId}/standings`}
className={`flex items-center gap-4 p-4 rounded-xl bg-deep-graphite border border-charcoal-outline hover:border-primary-blue/30 transition-colors group ${className || ''}`}
>
<div className={`flex h-12 w-12 items-center justify-center rounded-xl font-bold text-xl ${
position === 1 ? 'bg-yellow-400/20 text-yellow-400' :
position === 2 ? 'bg-gray-300/20 text-gray-300' :
position === 3 ? 'bg-orange-400/20 text-orange-400' :
'bg-iron-gray text-gray-400'
}`}>
{position > 0 ? `P${position}` : '-'}
</div>
<div className="flex-1 min-w-0">
<p className="text-white font-semibold truncate group-hover:text-primary-blue transition-colors">
{leagueName}
</p>
<p className="text-sm text-gray-500">
{points} points {totalDrivers} drivers
</p>
</div>
<div className="flex items-center gap-2">
{position <= 3 && position > 0 && (
<Crown className={`w-5 h-5 ${
position === 1 ? 'text-yellow-400' :
position === 2 ? 'text-gray-300' :
'text-orange-400'
}`} />
)}
<ChevronRight className="w-5 h-5 text-gray-500 group-hover:text-primary-blue transition-colors" />
</div>
</Link>
);
}

View File

@@ -1,25 +0,0 @@
import { LucideIcon } from 'lucide-react';
interface StatCardProps {
icon: LucideIcon;
value: string | number;
label: string;
color: string;
className?: string;
}
export function StatCard({ icon: Icon, value, label, color, className }: StatCardProps) {
return (
<div className={`p-4 rounded-xl bg-iron-gray/50 border border-charcoal-outline backdrop-blur-sm ${className || ''}`}>
<div className="flex items-center gap-3">
<div className={`flex h-10 w-10 items-center justify-center rounded-lg ${color}`}>
<Icon className="w-5 h-5" />
</div>
<div>
<p className="text-2xl font-bold text-white">{value}</p>
<p className="text-xs text-gray-500">{label}</p>
</div>
</div>
</div>
);
}

View File

@@ -1,39 +0,0 @@
import Link from 'next/link';
import { timeUntil } from '@/lib/utilities/time';
interface UpcomingRaceItemProps {
id: string;
track: string;
car: string;
scheduledAt: Date;
isMyLeague: boolean;
}
export function UpcomingRaceItem({
id,
track,
car,
scheduledAt,
isMyLeague,
}: UpcomingRaceItemProps) {
return (
<Link
href={`/races/${id}`}
className="block p-3 rounded-lg bg-deep-graphite border border-charcoal-outline hover:border-primary-blue/30 transition-colors"
>
<div className="flex items-start justify-between gap-2 mb-2">
<p className="text-white font-medium text-sm truncate">{track}</p>
{isMyLeague && (
<span className="flex-shrink-0 w-2 h-2 rounded-full bg-performance-green" title="Your league" />
)}
</div>
<p className="text-xs text-gray-500 truncate mb-2">{car}</p>
<div className="flex items-center justify-between text-xs">
<span className="text-gray-400">
{scheduledAt.toLocaleDateString('en-US', { month: 'short', day: 'numeric' })}
</span>
<span className="text-primary-blue font-medium">{timeUntil(scheduledAt)}</span>
</div>
</Link>
);
}

View File

@@ -1,6 +1,6 @@
import Card from '@/components/ui/Card';
import RankBadge from '@/components/drivers/RankBadge';
import DriverIdentity from '@/components/drivers/DriverIdentity';
import { DriverIdentity } from '@/components/drivers/DriverIdentity';
import { DriverViewModel } from '@/lib/view-models/DriverViewModel';
export interface DriverCardProps {

View File

@@ -1,17 +1,20 @@
import Link from 'next/link';
import Image from 'next/image';
import PlaceholderImage from '@/components/ui/PlaceholderImage';
import type { DriverViewModel } from '@/lib/view-models/DriverViewModel';
export interface DriverIdentityProps {
driver: DriverViewModel;
driver: {
id: string;
name: string;
avatarUrl: string | null;
};
href?: string;
contextLabel?: React.ReactNode;
meta?: React.ReactNode;
size?: 'sm' | 'md';
}
export default function DriverIdentity(props: DriverIdentityProps) {
export function DriverIdentity(props: DriverIdentityProps) {
const { driver, href, contextLabel, meta, size = 'md' } = props;
const avatarSize = size === 'sm' ? 40 : 48;

View File

@@ -3,10 +3,19 @@ import { useRouter } from 'next/navigation';
import { Trophy, Crown, Flag, ChevronRight } from 'lucide-react';
import Button from '@/components/ui/Button';
import Image from 'next/image';
import type { DriverLeaderboardItemViewModel } from '@/lib/view-models/DriverLeaderboardItemViewModel';
interface DriverLeaderboardPreviewProps {
drivers: DriverLeaderboardItemViewModel[];
drivers: {
id: string;
name: string;
rating: number;
skillLevel: string;
nationality: string;
wins: number;
rank: number;
avatarUrl: string;
position: number;
}[];
onDriverClick: (id: string) => void;
}

View File

@@ -3,11 +3,19 @@ import { useRouter } from 'next/navigation';
import Image from 'next/image';
import { Users, Crown, Shield, ChevronRight } from 'lucide-react';
import Button from '@/components/ui/Button';
import type { TeamSummaryViewModel } from '@/lib/view-models/TeamSummaryViewModel';
import { getMediaUrl } from '@/lib/utilities/media';
interface TeamLeaderboardPreviewProps {
teams: TeamSummaryViewModel[];
teams: {
id: string;
name: string;
tag: string;
memberCount: number;
category?: string;
totalWins: number;
logoUrl: string;
position: number;
}[];
onTeamClick: (id: string) => void;
}
@@ -68,7 +76,7 @@ export default function TeamLeaderboardPreview({ teams, onTeamClick }: TeamLeade
{/* Leaderboard Rows */}
<div className="divide-y divide-charcoal-outline/50">
{top5.map((team, index) => {
const levelConfig = SKILL_LEVELS.find((l) => l.id === team.performanceLevel);
const levelConfig = SKILL_LEVELS.find((l) => l.id === team.category);
const LevelIcon = levelConfig?.icon || Shield;
const position = index + 1;

View File

@@ -1,18 +1,24 @@
import React from 'react';
import Card from '@/components/ui/Card';
import { StandingEntryViewModel } from '@/lib/view-models/StandingEntryViewModel';
import { DriverViewModel } from '@/lib/view-models/DriverViewModel';
interface LeagueChampionshipStatsProps {
standings: StandingEntryViewModel[];
drivers: DriverViewModel[];
standings: Array<{
driverId: string;
position: number;
totalPoints: number;
racesFinished: number;
}>;
drivers: Array<{
id: string;
name: string;
}>;
}
export default function LeagueChampionshipStats({ standings, drivers }: LeagueChampionshipStatsProps) {
export function LeagueChampionshipStats({ standings, drivers }: LeagueChampionshipStatsProps) {
if (standings.length === 0) return null;
const leader = standings[0];
const totalRaces = Math.max(...standings.map(s => s.races), 0);
const totalRaces = Math.max(...standings.map(s => s.racesFinished), 0);
return (
<div className="grid grid-cols-1 md:grid-cols-3 gap-4">
@@ -24,7 +30,7 @@ export default function LeagueChampionshipStats({ standings, drivers }: LeagueCh
<div>
<p className="text-xs text-gray-400 mb-1">Championship Leader</p>
<p className="font-bold text-white">{drivers.find(d => d.id === leader?.driverId)?.name || 'N/A'}</p>
<p className="text-sm text-yellow-400 font-medium">{leader?.points || 0} points</p>
<p className="text-sm text-yellow-400 font-medium">{leader?.totalPoints || 0} points</p>
</div>
</div>
</Card>

View File

@@ -3,14 +3,29 @@
import { useState, useRef, useEffect } from 'react';
import Link from 'next/link';
import Image from 'next/image';
import { Star } from 'lucide-react';
import type { DriverViewModel } from '@/lib/view-models/DriverViewModel';
import type { LeagueMembership } from '@/lib/types/LeagueMembership';
import { LeagueRoleDisplay } from '@/lib/display-objects/LeagueRoleDisplay';
import CountryFlag from '@/components/ui/CountryFlag';
import { getMediaUrl } from '@/lib/utilities/media';
import PlaceholderImage from '@/components/ui/PlaceholderImage';
// League role display data
const leagueRoleDisplay = {
owner: {
text: 'Owner',
badgeClasses: 'bg-yellow-500/10 text-yellow-500 border-yellow-500/30',
},
admin: {
text: 'Admin',
badgeClasses: 'bg-purple-500/10 text-purple-400 border-purple-500/30',
},
steward: {
text: 'Steward',
badgeClasses: 'bg-blue-500/10 text-blue-400 border-blue-500/30',
},
member: {
text: 'Member',
badgeClasses: 'bg-primary-blue/10 text-primary-blue border-primary-blue/30',
},
} as const;
// Position background colors
const getPositionBgColor = (position: number): string => {
switch (position) {
@@ -23,7 +38,6 @@ const getPositionBgColor = (position: number): string => {
interface StandingsTableProps {
standings: Array<{
leagueId: string;
driverId: string;
position: number;
totalPoints: number;
@@ -34,19 +48,29 @@ interface StandingsTableProps {
bonusPoints: number;
teamName?: string;
}>;
drivers: DriverViewModel[];
leagueId: string;
memberships?: LeagueMembership[];
drivers: Array<{
id: string;
name: string;
avatarUrl: string | null;
iracingId?: string;
rating?: number;
country?: string;
}>;
memberships?: Array<{
driverId: string;
role: 'owner' | 'admin' | 'steward' | 'member';
joinedAt: string;
status: 'active' | 'pending' | 'banned';
}>;
currentDriverId?: string;
isAdmin?: boolean;
onRemoveMember?: (driverId: string) => void;
onUpdateRole?: (driverId: string, role: string) => void;
}
export default function StandingsTable({
export function StandingsTable({
standings,
drivers,
leagueId,
memberships = [],
currentDriverId,
isAdmin = false,
@@ -68,11 +92,11 @@ export default function StandingsTable({
return () => document.removeEventListener('mousedown', handleClickOutside);
}, []);
const getDriver = (driverId: string): DriverViewModel | undefined => {
const getDriver = (driverId: string) => {
return drivers.find((d) => d.id === driverId);
};
const getMembership = (driverId: string): LeagueMembership | undefined => {
const getMembership = (driverId: string) => {
return memberships.find((m) => m.driverId === driverId);
};
@@ -216,7 +240,7 @@ export default function StandingsTable({
);
};
const PointsActionMenu = ({ driverId }: { driverId: string }) => {
const PointsActionMenu = () => {
return (
<div
ref={menuRef}
@@ -280,10 +304,8 @@ export default function StandingsTable({
{standings.map((row) => {
const driver = getDriver(row.driverId);
const membership = getMembership(row.driverId);
const roleDisplay = membership ? LeagueRoleDisplay.getLeagueRoleDisplay(membership.role) : null;
const roleDisplay = membership ? leagueRoleDisplay[membership.role] : null;
const canModify = canModifyMember(row.driverId);
// TODO: Hook up real driver stats once API provides it
const driverStatsData: null = null;
const isRowHovered = hoveredRow === row.driverId;
const isMemberMenuOpen = activeMenu?.driverId === row.driverId && activeMenu?.type === 'member';
const isPointsMenuOpen = activeMenu?.driverId === row.driverId && activeMenu?.type === 'points';
@@ -292,7 +314,7 @@ export default function StandingsTable({
return (
<tr
key={`${row.leagueId}-${row.driverId}`}
key={row.driverId}
className={`border-b border-charcoal-outline/50 transition-all duration-200 ${getPositionBgColor(row.position)} ${isRowHovered ? 'bg-iron-gray/10' : ''} ${isMe ? 'ring-2 ring-primary-blue/50 ring-inset bg-primary-blue/5' : ''}`}
onMouseEnter={() => setHoveredRow(row.driverId)}
onMouseLeave={() => {
@@ -407,7 +429,7 @@ export default function StandingsTable({
</button>
)}
</div>
{isPointsMenuOpen && <PointsActionMenu driverId={row.driverId} />}
{isPointsMenuOpen && <PointsActionMenu />}
</td>
{/* Races (Finished/Started) */}

View File

@@ -0,0 +1,279 @@
import { useRef, ChangeEvent } from 'react';
import { Camera, Upload, Loader2, Sparkles, Palette, Check, User } from 'lucide-react';
import Button from '@/components/ui/Button';
import Heading from '@/components/ui/Heading';
export type RacingSuitColor =
| 'red'
| 'blue'
| 'green'
| 'yellow'
| 'orange'
| 'purple'
| 'black'
| 'white'
| 'pink'
| 'cyan';
export interface AvatarInfo {
facePhoto: string | null;
suitColor: RacingSuitColor;
generatedAvatars: string[];
selectedAvatarIndex: number | null;
isGenerating: boolean;
isValidating: boolean;
}
interface FormErrors {
[key: string]: string | undefined;
}
interface AvatarStepProps {
avatarInfo: AvatarInfo;
setAvatarInfo: (info: AvatarInfo) => void;
errors: FormErrors;
setErrors: (errors: FormErrors) => void;
onGenerateAvatars: () => void;
}
const SUIT_COLORS: { value: RacingSuitColor; label: string; hex: string }[] = [
{ value: 'red', label: 'Racing Red', hex: '#EF4444' },
{ value: 'blue', label: 'Motorsport Blue', hex: '#3B82F6' },
{ value: 'green', label: 'Racing Green', hex: '#22C55E' },
{ value: 'yellow', label: 'Championship Yellow', hex: '#EAB308' },
{ value: 'orange', label: 'Papaya Orange', hex: '#F97316' },
{ value: 'purple', label: 'Royal Purple', hex: '#A855F7' },
{ value: 'black', label: 'Stealth Black', hex: '#1F2937' },
{ value: 'white', label: 'Clean White', hex: '#F9FAFB' },
{ value: 'pink', label: 'Hot Pink', hex: '#EC4899' },
{ value: 'cyan', label: 'Electric Cyan', hex: '#06B6D4' },
];
export function AvatarStep({ avatarInfo, setAvatarInfo, errors, setErrors, onGenerateAvatars }: AvatarStepProps) {
const fileInputRef = useRef<HTMLInputElement>(null);
const handleFileSelect = async (e: ChangeEvent<HTMLInputElement>) => {
const file = e.target.files?.[0];
if (!file) return;
// Validate file type
if (!file.type.startsWith('image/')) {
setErrors({ ...errors, facePhoto: 'Please upload an image file' });
return;
}
// Validate file size (max 5MB)
if (file.size > 5 * 1024 * 1024) {
setErrors({ ...errors, facePhoto: 'Image must be less than 5MB' });
return;
}
// Convert to base64
const reader = new FileReader();
reader.onload = async (event) => {
const base64 = event.target?.result as string;
setAvatarInfo({
...avatarInfo,
facePhoto: base64,
generatedAvatars: [],
selectedAvatarIndex: null,
});
const newErrors = { ...errors };
delete newErrors.facePhoto;
setErrors(newErrors);
};
reader.readAsDataURL(file);
};
return (
<div className="space-y-6">
<div>
<Heading level={2} className="text-xl mb-1 flex items-center gap-2">
<Camera className="w-5 h-5 text-primary-blue" />
Create Your Racing Avatar
</Heading>
<p className="text-sm text-gray-400">
Upload a photo and we will generate a unique racing avatar for you
</p>
</div>
{/* Photo Upload */}
<div>
<label className="block text-sm font-medium text-gray-300 mb-3">
Upload Your Photo *
</label>
<div className="flex gap-6">
{/* Upload Area */}
<div
onClick={() => fileInputRef.current?.click()}
className={`relative flex-1 flex flex-col items-center justify-center p-6 rounded-xl border-2 border-dashed cursor-pointer transition-all ${
avatarInfo.facePhoto
? 'border-performance-green bg-performance-green/5'
: errors.facePhoto
? 'border-red-500 bg-red-500/5'
: 'border-charcoal-outline hover:border-primary-blue hover:bg-primary-blue/5'
}`}
>
<input
ref={fileInputRef}
type="file"
accept="image/*"
onChange={handleFileSelect}
className="hidden"
/>
{avatarInfo.isValidating ? (
<>
<Loader2 className="w-10 h-10 text-primary-blue animate-spin mb-3" />
<p className="text-sm text-gray-400">Validating photo...</p>
</>
) : avatarInfo.facePhoto ? (
<>
<div className="w-24 h-24 rounded-xl overflow-hidden mb-3 ring-2 ring-performance-green">
{/* eslint-disable-next-line @next/next/no-img-element */}
<img
src={avatarInfo.facePhoto}
alt="Your photo"
className="w-full h-full object-cover"
/>
</div>
<p className="text-sm text-performance-green flex items-center gap-1">
<Check className="w-4 h-4" />
Photo uploaded
</p>
<p className="text-xs text-gray-500 mt-1">Click to change</p>
</>
) : (
<>
<Upload className="w-10 h-10 text-gray-500 mb-3" />
<p className="text-sm text-gray-300 font-medium mb-1">
Drop your photo here or click to upload
</p>
<p className="text-xs text-gray-500">
JPEG or PNG, max 5MB
</p>
</>
)}
</div>
{/* Preview area */}
<div className="w-32 flex flex-col items-center justify-center">
<div className="w-24 h-24 rounded-xl bg-iron-gray border border-charcoal-outline flex items-center justify-center overflow-hidden">
{(() => {
const selectedAvatarUrl =
avatarInfo.selectedAvatarIndex !== null
? avatarInfo.generatedAvatars[avatarInfo.selectedAvatarIndex]
: undefined;
if (!selectedAvatarUrl) {
return <User className="w-8 h-8 text-gray-600" />;
}
return (
<>
{/* eslint-disable-next-line @next/next/no-img-element */}
<img src={selectedAvatarUrl} alt="Selected avatar" className="w-full h-full object-cover" />
</>
);
})()}
</div>
<p className="text-xs text-gray-500 mt-2 text-center">Your avatar</p>
</div>
</div>
{errors.facePhoto && (
<p className="mt-2 text-sm text-red-400">{errors.facePhoto}</p>
)}
</div>
{/* Suit Color Selection */}
<div>
<label className="block text-sm font-medium text-gray-300 mb-3 flex items-center gap-2">
<Palette className="w-4 h-4" />
Racing Suit Color
</label>
<div className="flex flex-wrap gap-2">
{SUIT_COLORS.map((color) => (
<button
key={color.value}
type="button"
onClick={() => setAvatarInfo({ ...avatarInfo, suitColor: color.value })}
className={`relative w-10 h-10 rounded-lg transition-all ${
avatarInfo.suitColor === color.value
? 'ring-2 ring-primary-blue ring-offset-2 ring-offset-iron-gray scale-110'
: 'hover:scale-105'
}`}
style={{ backgroundColor: color.hex }}
title={color.label}
>
{avatarInfo.suitColor === color.value && (
<Check className={`absolute inset-0 m-auto w-5 h-5 ${
['white', 'yellow', 'cyan'].includes(color.value) ? 'text-gray-800' : 'text-white'
}`} />
)}
</button>
))}
</div>
<p className="mt-2 text-xs text-gray-500">
Selected: {SUIT_COLORS.find(c => c.value === avatarInfo.suitColor)?.label}
</p>
</div>
{/* Generate Button */}
{avatarInfo.facePhoto && !errors.facePhoto && (
<div>
<Button
type="button"
variant="primary"
onClick={onGenerateAvatars}
disabled={avatarInfo.isGenerating || avatarInfo.isValidating}
className="w-full flex items-center justify-center gap-2"
>
{avatarInfo.isGenerating ? (
<>
<Loader2 className="w-5 h-5 animate-spin" />
Generating your avatars...
</>
) : (
<>
<Sparkles className="w-5 h-5" />
{avatarInfo.generatedAvatars.length > 0 ? 'Regenerate Avatars' : 'Generate Racing Avatars'}
</>
)}
</Button>
</div>
)}
{/* Generated Avatars */}
{avatarInfo.generatedAvatars.length > 0 && (
<div>
<label className="block text-sm font-medium text-gray-300 mb-3">
Choose Your Avatar *
</label>
<div className="grid grid-cols-3 gap-4">
{avatarInfo.generatedAvatars.map((url, index) => (
<button
key={index}
type="button"
onClick={() => setAvatarInfo({ ...avatarInfo, selectedAvatarIndex: index })}
className={`relative aspect-square rounded-xl overflow-hidden border-2 transition-all ${
avatarInfo.selectedAvatarIndex === index
? 'border-primary-blue ring-2 ring-primary-blue/30 scale-105'
: 'border-charcoal-outline hover:border-gray-500'
}`}
>
{/* eslint-disable-next-line @next/next/no-img-element */}
<img src={url} alt={`Avatar option ${index + 1}`} className="w-full h-full object-cover" />
{avatarInfo.selectedAvatarIndex === index && (
<div className="absolute top-2 right-2 w-6 h-6 rounded-full bg-primary-blue flex items-center justify-center">
<Check className="w-4 h-4 text-white" />
</div>
)}
</button>
))}
</div>
{errors.avatar && (
<p className="mt-2 text-sm text-red-400">{errors.avatar}</p>
)}
</div>
)}
</div>
);
}

View File

@@ -1,56 +1,14 @@
'use client';
import { useState, useRef, FormEvent, ChangeEvent } from 'react';
import { useRouter } from 'next/navigation';
import Image from 'next/image';
import {
User,
Flag,
Camera,
Clock,
Check,
ChevronRight,
ChevronLeft,
AlertCircle,
Upload,
Loader2,
Sparkles,
Palette,
} from 'lucide-react';
import { useState, FormEvent } from 'react';
import Card from '@/components/ui/Card';
import Button from '@/components/ui/Button';
import Input from '@/components/ui/Input';
import Heading from '@/components/ui/Heading';
import CountrySelect from '@/components/ui/CountrySelect';
import { useAuth } from '@/lib/auth/AuthContext';
import { useCompleteOnboarding } from "@/lib/hooks/onboarding/useCompleteOnboarding";
import { useGenerateAvatars } from "@/lib/hooks/onboarding/useGenerateAvatars";
import { useValidateFacePhoto } from "@/lib/hooks/onboarding/useValidateFacePhoto";
// ============================================================================
// TYPES
// ============================================================================
import { StepIndicator } from '@/ui/StepIndicator';
import { PersonalInfoStep, PersonalInfo } from './PersonalInfoStep';
import { AvatarStep, AvatarInfo } from './AvatarStep';
type OnboardingStep = 1 | 2;
interface PersonalInfo {
firstName: string;
lastName: string;
displayName: string;
country: string;
timezone: string;
}
interface AvatarInfo {
facePhoto: string | null;
suitColor: RacingSuitColor;
generatedAvatars: string[];
selectedAvatarIndex: number | null;
isGenerating: boolean;
isValidating: boolean;
}
interface FormErrors {
[key: string]: string | undefined;
firstName?: string;
lastName?: string;
displayName?: string;
@@ -60,113 +18,22 @@ interface FormErrors {
submit?: string;
}
type RacingSuitColor =
| 'red'
| 'blue'
| 'green'
| 'yellow'
| 'orange'
| 'purple'
| 'black'
| 'white'
| 'pink'
| 'cyan';
// ============================================================================
// CONSTANTS
// ============================================================================
const TIMEZONES = [
{ value: 'America/New_York', label: 'Eastern Time (ET)' },
{ value: 'America/Chicago', label: 'Central Time (CT)' },
{ value: 'America/Denver', label: 'Mountain Time (MT)' },
{ value: 'America/Los_Angeles', label: 'Pacific Time (PT)' },
{ value: 'Europe/London', label: 'Greenwich Mean Time (GMT)' },
{ value: 'Europe/Berlin', label: 'Central European Time (CET)' },
{ value: 'Europe/Paris', label: 'Central European Time (CET)' },
{ value: 'Australia/Sydney', label: 'Australian Eastern Time (AET)' },
{ value: 'Asia/Tokyo', label: 'Japan Standard Time (JST)' },
{ value: 'America/Sao_Paulo', label: 'Brasília Time (BRT)' },
];
const SUIT_COLORS: { value: RacingSuitColor; label: string; hex: string }[] = [
{ value: 'red', label: 'Racing Red', hex: '#EF4444' },
{ value: 'blue', label: 'Motorsport Blue', hex: '#3B82F6' },
{ value: 'green', label: 'Racing Green', hex: '#22C55E' },
{ value: 'yellow', label: 'Championship Yellow', hex: '#EAB308' },
{ value: 'orange', label: 'Papaya Orange', hex: '#F97316' },
{ value: 'purple', label: 'Royal Purple', hex: '#A855F7' },
{ value: 'black', label: 'Stealth Black', hex: '#1F2937' },
{ value: 'white', label: 'Clean White', hex: '#F9FAFB' },
{ value: 'pink', label: 'Hot Pink', hex: '#EC4899' },
{ value: 'cyan', label: 'Electric Cyan', hex: '#06B6D4' },
];
// ============================================================================
// HELPER COMPONENTS
// ============================================================================
function StepIndicator({ currentStep }: { currentStep: number }) {
const steps = [
{ id: 1, label: 'Personal', icon: User },
{ id: 2, label: 'Avatar', icon: Camera },
];
return (
<div className="flex items-center justify-center gap-2 mb-8">
{steps.map((step, index) => {
const Icon = step.icon;
const isCompleted = step.id < currentStep;
const isCurrent = step.id === currentStep;
return (
<div key={step.id} className="flex items-center">
<div className="flex flex-col items-center">
<div
className={`flex h-12 w-12 items-center justify-center rounded-full transition-all duration-300 ${
isCurrent
? 'bg-primary-blue text-white shadow-lg shadow-primary-blue/30'
: isCompleted
? 'bg-performance-green text-white'
: 'bg-iron-gray border border-charcoal-outline text-gray-500'
}`}
>
{isCompleted ? (
<Check className="w-5 h-5" />
) : (
<Icon className="w-5 h-5" />
)}
</div>
<span
className={`mt-2 text-xs font-medium ${
isCurrent ? 'text-white' : isCompleted ? 'text-performance-green' : 'text-gray-500'
}`}
>
{step.label}
</span>
</div>
{index < steps.length - 1 && (
<div
className={`w-16 h-0.5 mx-4 mt-[-20px] ${
isCompleted ? 'bg-performance-green' : 'bg-charcoal-outline'
}`}
/>
)}
</div>
);
})}
</div>
);
interface OnboardingWizardProps {
onCompleted: () => void;
onCompleteOnboarding: (data: {
firstName: string;
lastName: string;
displayName: string;
country: string;
timezone?: string;
}) => Promise<{ success: boolean; error?: string }>;
onGenerateAvatars: (params: {
facePhotoData: string;
suitColor: string;
}) => Promise<{ success: boolean; data?: { success: boolean; avatarUrls?: string[]; errorMessage?: string }; error?: string }>;
}
// ============================================================================
// MAIN COMPONENT
// ============================================================================
export default function OnboardingWizard() {
const router = useRouter();
const fileInputRef = useRef<HTMLInputElement>(null);
const { session } = useAuth();
export function OnboardingWizard({ onCompleted, onCompleteOnboarding, onGenerateAvatars }: OnboardingWizardProps) {
const [step, setStep] = useState<OnboardingStep>(1);
const [errors, setErrors] = useState<FormErrors>({});
@@ -235,139 +102,39 @@ export default function OnboardingWizard() {
}
};
const handleFileSelect = async (e: ChangeEvent<HTMLInputElement>) => {
const file = e.target.files?.[0];
if (!file) return;
// Validate file type
if (!file.type.startsWith('image/')) {
setErrors({ ...errors, facePhoto: 'Please upload an image file' });
return;
}
// Validate file size (max 5MB)
if (file.size > 5 * 1024 * 1024) {
setErrors({ ...errors, facePhoto: 'Image must be less than 5MB' });
return;
}
// Convert to base64
const reader = new FileReader();
reader.onload = async (event) => {
const base64 = event.target?.result as string;
setAvatarInfo({
...avatarInfo,
facePhoto: base64,
generatedAvatars: [],
selectedAvatarIndex: null,
});
setErrors((prev) => {
const { facePhoto, ...rest } = prev;
return rest;
});
// Validate face
await validateFacePhoto(base64);
};
reader.readAsDataURL(file);
};
const validateFacePhotoMutation = useValidateFacePhoto({
onSuccess: () => {
setAvatarInfo(prev => ({ ...prev, isValidating: false }));
},
onError: (error) => {
setErrors(prev => ({
...prev,
facePhoto: error.message || 'Face validation failed'
}));
setAvatarInfo(prev => ({ ...prev, facePhoto: null, isValidating: false }));
},
});
const validateFacePhoto = async (photoData: string) => {
setAvatarInfo(prev => ({ ...prev, isValidating: true }));
setErrors(prev => {
const { facePhoto, ...rest } = prev;
return rest;
});
try {
const result = await validateFacePhotoMutation.mutateAsync(photoData);
if (!result.isValid) {
setErrors(prev => ({
...prev,
facePhoto: result.errorMessage || 'Face validation failed'
}));
setAvatarInfo(prev => ({ ...prev, facePhoto: null, isValidating: false }));
}
} catch (error) {
// For now, just accept the photo if validation fails
setAvatarInfo(prev => ({ ...prev, isValidating: false }));
}
};
const generateAvatarsMutation = useGenerateAvatars({
onSuccess: (result) => {
if (result.success && result.avatarUrls) {
setAvatarInfo(prev => ({
...prev,
generatedAvatars: result.avatarUrls,
isGenerating: false,
}));
} else {
setErrors(prev => ({ ...prev, avatar: result.errorMessage || 'Failed to generate avatars' }));
setAvatarInfo(prev => ({ ...prev, isGenerating: false }));
}
},
onError: () => {
setErrors(prev => ({ ...prev, avatar: 'Failed to generate avatars. Please try again.' }));
setAvatarInfo(prev => ({ ...prev, isGenerating: false }));
},
});
const generateAvatars = async () => {
if (!avatarInfo.facePhoto) {
setErrors({ ...errors, facePhoto: 'Please upload a photo first' });
return;
}
if (!session?.user?.userId) {
setErrors({ ...errors, submit: 'User not authenticated' });
return;
}
setAvatarInfo(prev => ({ ...prev, isGenerating: true, generatedAvatars: [], selectedAvatarIndex: null }));
setErrors(prev => {
const { avatar, ...rest } = prev;
return rest;
});
const newErrors = { ...errors };
delete newErrors.avatar;
setErrors(newErrors);
try {
await generateAvatarsMutation.mutateAsync({
userId: session.user.userId,
const result = await onGenerateAvatars({
facePhotoData: avatarInfo.facePhoto,
suitColor: avatarInfo.suitColor,
});
if (result.success && result.data?.success && result.data.avatarUrls) {
setAvatarInfo(prev => ({
...prev,
generatedAvatars: result.data!.avatarUrls!,
isGenerating: false,
}));
} else {
setErrors(prev => ({ ...prev, avatar: result.data?.errorMessage || result.error || 'Failed to generate avatars' }));
setAvatarInfo(prev => ({ ...prev, isGenerating: false }));
}
} catch (error) {
// Error handling is done in the mutation's onError callback
setErrors(prev => ({ ...prev, avatar: 'Failed to generate avatars. Please try again.' }));
setAvatarInfo(prev => ({ ...prev, isGenerating: false }));
}
};
const completeOnboardingMutation = useCompleteOnboarding({
onSuccess: () => {
// TODO: Handle avatar assignment separately if needed
router.push('/dashboard');
router.refresh();
},
onError: (error) => {
setErrors({
submit: error.message || 'Failed to create profile',
});
},
});
const handleSubmit = async (e: FormEvent) => {
e.preventDefault();
@@ -384,42 +151,37 @@ export default function OnboardingWizard() {
setErrors({});
try {
await completeOnboardingMutation.mutateAsync({
const result = await onCompleteOnboarding({
firstName: personalInfo.firstName.trim(),
lastName: personalInfo.lastName.trim(),
displayName: personalInfo.displayName.trim(),
country: personalInfo.country,
timezone: personalInfo.timezone || undefined,
});
if (result.success) {
onCompleted();
} else {
setErrors({ submit: result.error || 'Failed to create profile' });
}
} catch (error) {
// Error handling is done in the mutation's onError callback
setErrors({ submit: 'Failed to create profile' });
}
};
// Loading state comes from the mutations
const loading = completeOnboardingMutation.isPending ||
generateAvatarsMutation.isPending ||
validateFacePhotoMutation.isPending;
const getCountryFlag = (countryCode: string): string => {
const code = countryCode.toUpperCase();
if (code.length === 2) {
const codePoints = [...code].map(char => 127397 + char.charCodeAt(0));
return String.fromCodePoint(...codePoints);
}
return '🏁';
};
const loading = false; // This would be managed by the parent component
return (
<div className="max-w-3xl mx-auto px-4 py-10">
{/* Header */}
<div className="text-center mb-8">
<div className="flex h-16 w-16 items-center justify-center rounded-2xl bg-gradient-to-br from-primary-blue/20 to-purple-600/10 border border-primary-blue/30 mx-auto mb-4">
<Flag className="w-8 h-8 text-primary-blue" />
<span className="text-2xl">🏁</span>
</div>
<Heading level={1} className="mb-2">Welcome to GridPilot</Heading>
<h1 className="text-4xl font-bold mb-2">Welcome to GridPilot</h1>
<p className="text-gray-400">
Let's set up your racing profile
Let us set up your racing profile
</p>
</div>
@@ -434,323 +196,29 @@ export default function OnboardingWizard() {
<form onSubmit={handleSubmit} className="relative">
{/* Step 1: Personal Information */}
{step === 1 && (
<div className="space-y-6">
<div>
<Heading level={2} className="text-xl mb-1 flex items-center gap-2">
<User className="w-5 h-5 text-primary-blue" />
Personal Information
</Heading>
<p className="text-sm text-gray-400">
Tell us a bit about yourself
</p>
</div>
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
<div>
<label htmlFor="firstName" className="block text-sm font-medium text-gray-300 mb-2">
First Name *
</label>
<Input
id="firstName"
type="text"
value={personalInfo.firstName}
onChange={(e) =>
setPersonalInfo({ ...personalInfo, firstName: e.target.value })
}
error={!!errors.firstName}
errorMessage={errors.firstName}
placeholder="John"
disabled={loading}
/>
</div>
<div>
<label htmlFor="lastName" className="block text-sm font-medium text-gray-300 mb-2">
Last Name *
</label>
<Input
id="lastName"
type="text"
value={personalInfo.lastName}
onChange={(e) =>
setPersonalInfo({ ...personalInfo, lastName: e.target.value })
}
error={!!errors.lastName}
errorMessage={errors.lastName}
placeholder="Racer"
disabled={loading}
/>
</div>
</div>
<div>
<label htmlFor="displayName" className="block text-sm font-medium text-gray-300 mb-2">
Display Name * <span className="text-gray-500 font-normal">(shown publicly)</span>
</label>
<Input
id="displayName"
type="text"
value={personalInfo.displayName}
onChange={(e) =>
setPersonalInfo({ ...personalInfo, displayName: e.target.value })
}
error={!!errors.displayName}
errorMessage={errors.displayName}
placeholder="SpeedyRacer42"
disabled={loading}
/>
</div>
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
<div>
<label htmlFor="country" className="block text-sm font-medium text-gray-300 mb-2">
Country *
</label>
<CountrySelect
value={personalInfo.country}
onChange={(value) =>
setPersonalInfo({ ...personalInfo, country: value })
}
error={!!errors.country}
errorMessage={errors.country ?? ''}
disabled={loading}
/>
</div>
<div>
<label htmlFor="timezone" className="block text-sm font-medium text-gray-300 mb-2">
Timezone
</label>
<div className="relative">
<Clock className="absolute left-3 top-1/2 -translate-y-1/2 w-4 h-4 text-gray-500 z-10" />
<select
id="timezone"
value={personalInfo.timezone}
onChange={(e) =>
setPersonalInfo({ ...personalInfo, timezone: e.target.value })
}
className="block w-full rounded-md border-0 px-4 py-3 pl-10 bg-iron-gray text-white shadow-sm ring-1 ring-inset ring-charcoal-outline placeholder:text-gray-500 focus:ring-2 focus:ring-inset focus:ring-primary-blue transition-all duration-150 sm:text-sm appearance-none cursor-pointer"
disabled={loading}
>
<option value="">Select timezone</option>
{TIMEZONES.map((tz) => (
<option key={tz.value} value={tz.value}>
{tz.label}
</option>
))}
</select>
<ChevronRight className="absolute right-3 top-1/2 -translate-y-1/2 w-4 h-4 text-gray-500 rotate-90" />
</div>
</div>
</div>
</div>
<PersonalInfoStep
personalInfo={personalInfo}
setPersonalInfo={setPersonalInfo}
errors={errors}
loading={loading}
/>
)}
{/* Step 2: Avatar Generation */}
{step === 2 && (
<div className="space-y-6">
<div>
<Heading level={2} className="text-xl mb-1 flex items-center gap-2">
<Camera className="w-5 h-5 text-primary-blue" />
Create Your Racing Avatar
</Heading>
<p className="text-sm text-gray-400">
Upload a photo and we'll generate a unique racing avatar for you
</p>
</div>
{/* Photo Upload */}
<div>
<label className="block text-sm font-medium text-gray-300 mb-3">
Upload Your Photo *
</label>
<div className="flex gap-6">
{/* Upload Area */}
<div
onClick={() => fileInputRef.current?.click()}
className={`relative flex-1 flex flex-col items-center justify-center p-6 rounded-xl border-2 border-dashed cursor-pointer transition-all ${
avatarInfo.facePhoto
? 'border-performance-green bg-performance-green/5'
: errors.facePhoto
? 'border-red-500 bg-red-500/5'
: 'border-charcoal-outline hover:border-primary-blue hover:bg-primary-blue/5'
}`}
>
<input
ref={fileInputRef}
type="file"
accept="image/*"
onChange={handleFileSelect}
className="hidden"
/>
{avatarInfo.isValidating ? (
<>
<Loader2 className="w-10 h-10 text-primary-blue animate-spin mb-3" />
<p className="text-sm text-gray-400">Validating photo...</p>
</>
) : avatarInfo.facePhoto ? (
<>
<div className="w-24 h-24 rounded-xl overflow-hidden mb-3 ring-2 ring-performance-green">
<Image
src={avatarInfo.facePhoto}
alt="Your photo"
width={96}
height={96}
className="w-full h-full object-cover"
/>
</div>
<p className="text-sm text-performance-green flex items-center gap-1">
<Check className="w-4 h-4" />
Photo uploaded
</p>
<p className="text-xs text-gray-500 mt-1">Click to change</p>
</>
) : (
<>
<Upload className="w-10 h-10 text-gray-500 mb-3" />
<p className="text-sm text-gray-300 font-medium mb-1">
Drop your photo here or click to upload
</p>
<p className="text-xs text-gray-500">
JPEG or PNG, max 5MB
</p>
</>
)}
</div>
{/* Preview area */}
<div className="w-32 flex flex-col items-center justify-center">
<div className="w-24 h-24 rounded-xl bg-iron-gray border border-charcoal-outline flex items-center justify-center overflow-hidden">
{(() => {
const selectedAvatarUrl =
avatarInfo.selectedAvatarIndex !== null
? avatarInfo.generatedAvatars[avatarInfo.selectedAvatarIndex]
: undefined;
if (!selectedAvatarUrl) {
return <User className="w-8 h-8 text-gray-600" />;
}
return (
<Image
src={selectedAvatarUrl}
alt="Selected avatar"
width={96}
height={96}
className="w-full h-full object-cover"
/>
);
})()}
</div>
<p className="text-xs text-gray-500 mt-2 text-center">Your avatar</p>
</div>
</div>
{errors.facePhoto && (
<p className="mt-2 text-sm text-red-400">{errors.facePhoto}</p>
)}
</div>
{/* Suit Color Selection */}
<div>
<label className="block text-sm font-medium text-gray-300 mb-3 flex items-center gap-2">
<Palette className="w-4 h-4" />
Racing Suit Color
</label>
<div className="flex flex-wrap gap-2">
{SUIT_COLORS.map((color) => (
<button
key={color.value}
type="button"
onClick={() => setAvatarInfo({ ...avatarInfo, suitColor: color.value })}
className={`relative w-10 h-10 rounded-lg transition-all ${
avatarInfo.suitColor === color.value
? 'ring-2 ring-primary-blue ring-offset-2 ring-offset-iron-gray scale-110'
: 'hover:scale-105'
}`}
style={{ backgroundColor: color.hex }}
title={color.label}
>
{avatarInfo.suitColor === color.value && (
<Check className={`absolute inset-0 m-auto w-5 h-5 ${
['white', 'yellow', 'cyan'].includes(color.value) ? 'text-gray-800' : 'text-white'
}`} />
)}
</button>
))}
</div>
<p className="mt-2 text-xs text-gray-500">
Selected: {SUIT_COLORS.find(c => c.value === avatarInfo.suitColor)?.label}
</p>
</div>
{/* Generate Button */}
{avatarInfo.facePhoto && !errors.facePhoto && (
<div>
<Button
type="button"
variant="primary"
onClick={generateAvatars}
disabled={avatarInfo.isGenerating || avatarInfo.isValidating}
className="w-full flex items-center justify-center gap-2"
>
{avatarInfo.isGenerating ? (
<>
<Loader2 className="w-5 h-5 animate-spin" />
Generating your avatars...
</>
) : (
<>
<Sparkles className="w-5 h-5" />
{avatarInfo.generatedAvatars.length > 0 ? 'Regenerate Avatars' : 'Generate Racing Avatars'}
</>
)}
</Button>
</div>
)}
{/* Generated Avatars */}
{avatarInfo.generatedAvatars.length > 0 && (
<div>
<label className="block text-sm font-medium text-gray-300 mb-3">
Choose Your Avatar *
</label>
<div className="grid grid-cols-3 gap-4">
{avatarInfo.generatedAvatars.map((url, index) => (
<button
key={index}
type="button"
onClick={() => setAvatarInfo({ ...avatarInfo, selectedAvatarIndex: index })}
className={`relative aspect-square rounded-xl overflow-hidden border-2 transition-all ${
avatarInfo.selectedAvatarIndex === index
? 'border-primary-blue ring-2 ring-primary-blue/30 scale-105'
: 'border-charcoal-outline hover:border-gray-500'
}`}
>
<Image
src={url}
alt={`Avatar option ${index + 1}`}
fill
className="object-cover"
/>
{avatarInfo.selectedAvatarIndex === index && (
<div className="absolute top-2 right-2 w-6 h-6 rounded-full bg-primary-blue flex items-center justify-center">
<Check className="w-4 h-4 text-white" />
</div>
)}
</button>
))}
</div>
{errors.avatar && (
<p className="mt-2 text-sm text-red-400">{errors.avatar}</p>
)}
</div>
)}
</div>
<AvatarStep
avatarInfo={avatarInfo}
setAvatarInfo={setAvatarInfo}
errors={errors}
setErrors={setErrors}
onGenerateAvatars={generateAvatars}
/>
)}
{/* Error Message */}
{errors.submit && (
<div className="mt-6 flex items-start gap-3 p-4 rounded-xl bg-red-500/10 border border-red-500/30">
<AlertCircle className="w-5 h-5 text-red-400 flex-shrink-0 mt-0.5" />
<span className="text-red-400 flex-shrink-0 mt-0.5"></span>
<p className="text-sm text-red-400">{errors.submit}</p>
</div>
)}
@@ -764,7 +232,7 @@ export default function OnboardingWizard() {
disabled={step === 1 || loading}
className="flex items-center gap-2"
>
<ChevronLeft className="w-4 h-4" />
<span></span>
Back
</Button>
@@ -777,7 +245,7 @@ export default function OnboardingWizard() {
className="flex items-center gap-2"
>
Continue
<ChevronRight className="w-4 h-4" />
<span></span>
</Button>
) : (
<Button
@@ -788,12 +256,12 @@ export default function OnboardingWizard() {
>
{loading ? (
<>
<Loader2 className="w-4 h-4 animate-spin" />
<span className="animate-spin"></span>
Creating Profile...
</>
) : (
<>
<Check className="w-4 h-4" />
<span></span>
Complete Setup
</>
)}

View File

@@ -0,0 +1,151 @@
import { User, Clock, ChevronRight } from 'lucide-react';
import Input from '@/components/ui/Input';
import Heading from '@/components/ui/Heading';
import CountrySelect from '@/components/ui/CountrySelect';
export interface PersonalInfo {
firstName: string;
lastName: string;
displayName: string;
country: string;
timezone: string;
}
interface FormErrors {
[key: string]: string | undefined;
}
interface PersonalInfoStepProps {
personalInfo: PersonalInfo;
setPersonalInfo: (info: PersonalInfo) => void;
errors: FormErrors;
loading: boolean;
}
const TIMEZONES = [
{ value: 'America/New_York', label: 'Eastern Time (ET)' },
{ value: 'America/Chicago', label: 'Central Time (CT)' },
{ value: 'America/Denver', label: 'Mountain Time (MT)' },
{ value: 'America/Los_Angeles', label: 'Pacific Time (PT)' },
{ value: 'Europe/London', label: 'Greenwich Mean Time (GMT)' },
{ value: 'Europe/Berlin', label: 'Central European Time (CET)' },
{ value: 'Europe/Paris', label: 'Central European Time (CET)' },
{ value: 'Australia/Sydney', label: 'Australian Eastern Time (AET)' },
{ value: 'Asia/Tokyo', label: 'Japan Standard Time (JST)' },
{ value: 'America/Sao_Paulo', label: 'Brasília Time (BRT)' },
];
export function PersonalInfoStep({ personalInfo, setPersonalInfo, errors, loading }: PersonalInfoStepProps) {
return (
<div className="space-y-6">
<div>
<Heading level={2} className="text-xl mb-1 flex items-center gap-2">
<User className="w-5 h-5 text-primary-blue" />
Personal Information
</Heading>
<p className="text-sm text-gray-400">
Tell us a bit about yourself
</p>
</div>
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
<div>
<label htmlFor="firstName" className="block text-sm font-medium text-gray-300 mb-2">
First Name *
</label>
<Input
id="firstName"
type="text"
value={personalInfo.firstName}
onChange={(e) =>
setPersonalInfo({ ...personalInfo, firstName: e.target.value })
}
error={!!errors.firstName}
errorMessage={errors.firstName}
placeholder="John"
disabled={loading}
/>
</div>
<div>
<label htmlFor="lastName" className="block text-sm font-medium text-gray-300 mb-2">
Last Name *
</label>
<Input
id="lastName"
type="text"
value={personalInfo.lastName}
onChange={(e) =>
setPersonalInfo({ ...personalInfo, lastName: e.target.value })
}
error={!!errors.lastName}
errorMessage={errors.lastName}
placeholder="Racer"
disabled={loading}
/>
</div>
</div>
<div>
<label htmlFor="displayName" className="block text-sm font-medium text-gray-300 mb-2">
Display Name * <span className="text-gray-500 font-normal">(shown publicly)</span>
</label>
<Input
id="displayName"
type="text"
value={personalInfo.displayName}
onChange={(e) =>
setPersonalInfo({ ...personalInfo, displayName: e.target.value })
}
error={!!errors.displayName}
errorMessage={errors.displayName}
placeholder="SpeedyRacer42"
disabled={loading}
/>
</div>
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
<div>
<label htmlFor="country" className="block text-sm font-medium text-gray-300 mb-2">
Country *
</label>
<CountrySelect
value={personalInfo.country}
onChange={(value) =>
setPersonalInfo({ ...personalInfo, country: value })
}
error={!!errors.country}
errorMessage={errors.country ?? ''}
disabled={loading}
/>
</div>
<div>
<label htmlFor="timezone" className="block text-sm font-medium text-gray-300 mb-2">
Timezone
</label>
<div className="relative">
<Clock className="absolute left-3 top-1/2 -translate-y-1/2 w-4 h-4 text-gray-500 z-10" />
<select
id="timezone"
value={personalInfo.timezone}
onChange={(e) =>
setPersonalInfo({ ...personalInfo, timezone: e.target.value })
}
className="block w-full rounded-md border-0 px-4 py-3 pl-10 bg-iron-gray text-white shadow-sm ring-1 ring-inset ring-charcoal-outline placeholder:text-gray-500 focus:ring-2 focus:ring-inset focus:ring-primary-blue transition-all duration-150 sm:text-sm appearance-none cursor-pointer"
disabled={loading}
>
<option value="">Select timezone</option>
{TIMEZONES.map((tz) => (
<option key={tz.value} value={tz.value}>
{tz.label}
</option>
))}
</select>
<ChevronRight className="absolute right-3 top-1/2 -translate-y-1/2 w-4 h-4 text-gray-500 rotate-90" />
</div>
</div>
</div>
</div>
);
}

View File

@@ -0,0 +1,9 @@
import type { ReactNode } from 'react';
interface ProfileLayoutShellProps {
children: ReactNode;
}
export default function ProfileLayoutShell({ children }: ProfileLayoutShellProps) {
return <div className="min-h-screen bg-deep-graphite">{children}</div>;
}

View File

@@ -1,7 +1,7 @@
'use client';
import Card from '@/components/ui/Card';
import DriverIdentity from '@/components/drivers/DriverIdentity';
import { DriverIdentity } from '@/components/drivers/DriverIdentity';
import { useTeamRoster } from "@/lib/hooks/team";
import { useState } from 'react';
import type { DriverViewModel } from '@/lib/view-models/DriverViewModel';