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

@@ -0,0 +1,86 @@
/**
* Forgot Password Client Component
*
* Handles client-side forgot password flow.
*/
'use client';
import { useState } from 'react';
import { ForgotPasswordViewData } from '@/lib/builders/view-data/ForgotPasswordViewDataBuilder';
import { ForgotPasswordTemplate } from '@/templates/auth/ForgotPasswordTemplate';
import { ForgotPasswordMutation } from '@/lib/mutations/auth/ForgotPasswordMutation';
import { ForgotPasswordViewModelBuilder } from '@/lib/builders/view-models/ForgotPasswordViewModelBuilder';
import { ForgotPasswordViewModel } from '@/lib/view-models/auth/ForgotPasswordViewModel';
interface ForgotPasswordClientProps {
viewData: ForgotPasswordViewData;
}
export function ForgotPasswordClient({ viewData }: ForgotPasswordClientProps) {
// Build ViewModel from ViewData
const [viewModel, setViewModel] = useState<ForgotPasswordViewModel>(() =>
ForgotPasswordViewModelBuilder.build(viewData)
);
const [formData, setFormData] = useState({ email: '' });
const handleSubmit = async (e: React.FormEvent<HTMLFormElement>) => {
e.preventDefault();
// Update submitting state
setViewModel(prev => prev.withMutationState(true, null));
try {
// Execute forgot password mutation
const mutation = new ForgotPasswordMutation();
const result = await mutation.execute({
email: formData.email,
});
if (result.isErr()) {
const error = result.getError();
setViewModel(prev => prev.withMutationState(false, error));
return;
}
// Success
const data = result.unwrap();
setViewModel(prev => prev.withSuccess(data.message, data.magicLink || null));
} catch (error) {
const errorMessage = error instanceof Error ? error.message : 'Failed to send reset link';
setViewModel(prev => prev.withMutationState(false, errorMessage));
}
};
// Build viewData for template
const templateViewData: ForgotPasswordViewData = {
...viewData,
showSuccess: viewModel.showSuccess,
successMessage: viewModel.successMessage || undefined,
magicLink: viewModel.magicLink || undefined,
formState: viewModel.formState,
isSubmitting: viewModel.isSubmitting,
submitError: viewModel.submitError,
};
return (
<ForgotPasswordTemplate
viewData={templateViewData}
formActions={{
setFormData,
handleSubmit,
setShowSuccess: (show) => {
if (!show) {
// Reset to initial state
setViewModel(prev => ForgotPasswordViewModelBuilder.build(viewData));
}
},
}}
mutationState={{
isPending: viewModel.mutationPending,
error: viewModel.mutationError,
}}
/>
);
}

View File

@@ -1,250 +1,34 @@
'use client';
/**
* Forgot Password Page
*
* RSC composition pattern:
* 1. PageQuery executes to get ViewData
* 2. Client component renders with ViewData
*/
import { useState, useEffect, FormEvent, type ChangeEvent } from 'react';
import { useRouter } from 'next/navigation';
import { useAuth } from '@/lib/auth/AuthContext';
import { useForgotPassword } from "@/lib/hooks/auth/useForgotPassword";
import Link from 'next/link';
import { motion } from 'framer-motion';
import {
Mail,
ArrowLeft,
AlertCircle,
Flag,
Shield,
CheckCircle2,
} from 'lucide-react';
import { ForgotPasswordPageQuery } from '@/lib/page-queries/auth/ForgotPasswordPageQuery';
import { ForgotPasswordClient } from './ForgotPasswordClient';
import Card from '@/components/ui/Card';
import Button from '@/components/ui/Button';
import Input from '@/components/ui/Input';
import Heading from '@/components/ui/Heading';
export default async function ForgotPasswordPage({
searchParams,
}: {
searchParams: Promise<URLSearchParams>;
}) {
// Execute PageQuery
const params = await searchParams;
const queryResult = await ForgotPasswordPageQuery.execute(params);
interface FormErrors {
email?: string;
submit?: string;
}
interface SuccessState {
message: string;
magicLink?: string;
}
export default function ForgotPasswordPage() {
const router = useRouter();
const { session } = useAuth();
const [errors, setErrors] = useState<FormErrors>({});
const [success, setSuccess] = useState<SuccessState | null>(null);
const [formData, setFormData] = useState({
email: '',
});
// Check if user is already authenticated
useEffect(() => {
if (session) {
router.replace('/dashboard');
}
}, [session, router]);
const validateForm = (): boolean => {
const newErrors: FormErrors = {};
if (!formData.email.trim()) {
newErrors.email = 'Email is required';
} else if (!/^[^\s@]+@[^\s@]+\.[^\s@]+$/.test(formData.email)) {
newErrors.email = 'Invalid email format';
}
setErrors(newErrors);
return Object.keys(newErrors).length === 0;
};
// Use forgot password mutation hook
const forgotPasswordMutation = useForgotPassword({
onSuccess: (result) => {
setSuccess({
message: result.message,
magicLink: result.magicLink,
});
},
onError: (error) => {
setErrors({
submit: error.message || 'Failed to send reset link. Please try again.',
});
},
});
const handleSubmit = async (e: FormEvent) => {
e.preventDefault();
if (forgotPasswordMutation.isPending) return;
if (!validateForm()) return;
setErrors({});
setSuccess(null);
try {
await forgotPasswordMutation.mutateAsync({ email: formData.email });
} catch (error) {
// Error handling is done in the mutation's onError callback
}
};
// Loading state from mutation
const loading = forgotPasswordMutation.isPending;
return (
<main className="min-h-screen bg-deep-graphite flex items-center justify-center px-4 py-12">
{/* Background Pattern */}
<div className="absolute inset-0 bg-gradient-to-br from-primary-blue/5 via-transparent to-purple-600/5" />
<div className="absolute inset-0 opacity-5">
<div className="absolute inset-0" style={{
backgroundImage: `url("data:image/svg+xml,%3Csvg width='60' height='60' viewBox='0 0 60 60' xmlns='http://www.w3.org/2000/svg'%3E%3Cg fill='none' fill-rule='evenodd'%3E%3Cg fill='%23ffffff' fill-opacity='0.4'%3E%3Cpath d='M36 34v-4h-2v4h-4v2h4v4h2v-4h4v-2h-4zm0-30V0h-2v4h-4v2h4v4h2V6h4V4h-4zM6 34v-4H4v4H0v2h4v4h2v-4h4v-2H6zM6 4V0H4v4H0v2h4v4h2V6h4V4H6z'/%3E%3C/g%3E%3C/g%3E%3C/svg%3E")`,
}} />
if (queryResult.isErr()) {
// Handle query error
return (
<div className="min-h-screen bg-deep-graphite flex items-center justify-center">
<div className="text-red-400">Failed to load forgot password page</div>
</div>
);
}
<div className="relative w-full max-w-md">
{/* 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" />
</div>
<Heading level={1} className="mb-2">Reset Password</Heading>
<p className="text-gray-400">
Enter your email and we'll send you a reset link
</p>
</div>
const viewData = queryResult.unwrap();
<Card className="relative overflow-hidden">
{/* Background accent */}
<div className="absolute top-0 right-0 w-32 h-32 bg-gradient-to-bl from-primary-blue/10 to-transparent rounded-bl-full" />
{!success ? (
<form onSubmit={handleSubmit} className="relative space-y-5">
{/* Email */}
<div>
<label htmlFor="email" className="block text-sm font-medium text-gray-300 mb-2">
Email Address
</label>
<div className="relative">
<Mail className="absolute left-3 top-1/2 -translate-y-1/2 w-4 h-4 text-gray-500" />
<Input
id="email"
type="email"
value={formData.email}
onChange={(e: ChangeEvent<HTMLInputElement>) => setFormData({ ...formData, email: e.target.value })}
error={!!errors.email}
errorMessage={errors.email}
placeholder="you@example.com"
disabled={loading}
className="pl-10"
autoComplete="email"
/>
</div>
</div>
{/* Error Message */}
{errors.submit && (
<motion.div
initial={{ opacity: 0, y: -10 }}
animate={{ opacity: 1, y: 0 }}
className="flex items-start gap-3 p-3 rounded-lg bg-red-500/10 border border-red-500/30"
>
<AlertCircle className="w-5 h-5 text-red-400 flex-shrink-0 mt-0.5" />
<p className="text-sm text-red-400">{errors.submit}</p>
</motion.div>
)}
{/* Submit Button */}
<Button
type="submit"
variant="primary"
disabled={loading}
className="w-full flex items-center justify-center gap-2"
>
{loading ? (
<>
<div className="w-4 h-4 border-2 border-white border-t-transparent rounded-full animate-spin" />
Sending...
</>
) : (
<>
<Shield className="w-4 h-4" />
Send Reset Link
</>
)}
</Button>
{/* Back to Login */}
<div className="text-center">
<Link
href="/auth/login"
className="text-sm text-primary-blue hover:underline flex items-center justify-center gap-1"
>
<ArrowLeft className="w-4 h-4" />
Back to Login
</Link>
</div>
</form>
) : (
<motion.div
initial={{ opacity: 0, y: 10 }}
animate={{ opacity: 1, y: 0 }}
className="relative space-y-4"
>
<div className="flex items-start gap-3 p-4 rounded-lg bg-performance-green/10 border border-performance-green/30">
<CheckCircle2 className="w-6 h-6 text-performance-green flex-shrink-0 mt-0.5" />
<div>
<p className="text-sm text-performance-green font-medium">{success.message}</p>
{success.magicLink && (
<div className="mt-2">
<p className="text-xs text-gray-400 mb-1">Development Mode - Magic Link:</p>
<div className="bg-iron-gray p-2 rounded border border-charcoal-outline">
<code className="text-xs text-primary-blue break-all">
{success.magicLink}
</code>
</div>
<p className="text-[10px] text-gray-500 mt-1">
In production, this would be sent via email
</p>
</div>
)}
</div>
</div>
<Button
type="button"
variant="secondary"
onClick={() => router.push('/auth/login')}
className="w-full"
>
Return to Login
</Button>
</motion.div>
)}
</Card>
{/* Trust Indicators */}
<div className="mt-6 flex items-center justify-center gap-6 text-sm text-gray-500">
<div className="flex items-center gap-2">
<Shield className="w-4 h-4" />
<span>Secure reset process</span>
</div>
<div className="flex items-center gap-2">
<CheckCircle2 className="w-4 h-4" />
<span>15 minute expiration</span>
</div>
</div>
{/* Footer */}
<p className="mt-6 text-center text-xs text-gray-500">
Need help?{' '}
<Link href="/support" className="text-gray-400 hover:underline">
Contact support
</Link>
</p>
</div>
</main>
);
// Render client component with ViewData
return <ForgotPasswordClient viewData={viewData} />;
}