Sergei 9d5a40944f Implement web login page with OTP verification
- Add login page with email validation and invite code support
- Add OTP verification page with 6-digit code input
- Implement redirect logic based on user state
- Add placeholder dashboard page
- Add comprehensive test suite for login flow
- Export api as default for cleaner imports
- All tests passing (12/12)

Features:
- Email validation with proper error handling
- Optional invite code input
- OTP resend with 60s countdown
- Auto-submit when all 6 digits entered
- Loading states and error messages
- Redirect to dashboard if already authenticated
- Proper navigation flow after OTP verification

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude <noreply@anthropic.com>
2026-01-31 17:37:38 -08:00

263 lines
9.5 KiB
TypeScript

'use client';
import { useState, useEffect, useRef } from 'react';
import { useRouter, useSearchParams } from 'next/navigation';
import api from '@/lib/api';
export default function VerifyOtpPage() {
const router = useRouter();
const searchParams = useSearchParams();
const email = searchParams.get('email') || '';
const [otp, setOtp] = useState(['', '', '', '', '', '']);
const [isLoading, setIsLoading] = useState(false);
const [error, setError] = useState<string | null>(null);
const [canResend, setCanResend] = useState(false);
const [countdown, setCountdown] = useState(60);
const inputRefs = useRef<(HTMLInputElement | null)[]>([]);
// Countdown timer for resend
useEffect(() => {
if (countdown > 0) {
const timer = setTimeout(() => setCountdown(countdown - 1), 1000);
return () => clearTimeout(timer);
} else {
setCanResend(true);
}
}, [countdown]);
// Focus first input on mount
useEffect(() => {
inputRefs.current[0]?.focus();
}, []);
const handleChange = (index: number, value: string) => {
// Only allow digits
if (!/^\d*$/.test(value)) return;
const newOtp = [...otp];
newOtp[index] = value.slice(-1); // Take only the last digit
setOtp(newOtp);
// Auto-focus next input
if (value && index < 5) {
inputRefs.current[index + 1]?.focus();
}
// Auto-submit when all 6 digits are entered
if (index === 5 && value && newOtp.every(digit => digit !== '')) {
handleVerify(newOtp.join(''));
}
};
const handleKeyDown = (index: number, e: React.KeyboardEvent<HTMLInputElement>) => {
// Handle backspace
if (e.key === 'Backspace' && !otp[index] && index > 0) {
inputRefs.current[index - 1]?.focus();
}
};
const handlePaste = (e: React.ClipboardEvent) => {
e.preventDefault();
const pastedData = e.clipboardData.getData('text').replace(/\D/g, '').slice(0, 6);
if (pastedData.length === 6) {
const newOtp = pastedData.split('');
setOtp(newOtp);
inputRefs.current[5]?.focus();
handleVerify(pastedData);
}
};
const handleVerify = async (code?: string) => {
setError(null);
const otpCode = code || otp.join('');
if (otpCode.length !== 6) {
setError('Please enter the complete 6-digit code');
return;
}
setIsLoading(true);
try {
const result = await api.verifyOTP(email, otpCode);
if (result.ok && result.data) {
// Save auth token
localStorage.setItem('accessToken', result.data.accessToken);
localStorage.setItem('userId', result.data.userId.toString());
// Get user profile to determine next screen
const profileResult = await api.getMe();
if (profileResult.ok && profileResult.data) {
const user = profileResult.data.user;
const beneficiaries = profileResult.data.beneficiaries || [];
// Navigation logic (similar to NavigationController)
if (!user.firstName) {
router.replace('/enter-name');
} else if (beneficiaries.length === 0) {
router.replace('/add-loved-one');
} else {
router.replace('/dashboard');
}
} else {
router.replace('/dashboard');
}
} else {
setError(result.error?.message || 'Invalid verification code');
setOtp(['', '', '', '', '', '']);
inputRefs.current[0]?.focus();
}
} catch {
setError('Network error. Please try again.');
setOtp(['', '', '', '', '', '']);
inputRefs.current[0]?.focus();
} finally {
setIsLoading(false);
}
};
const handleResend = async () => {
setError(null);
setCanResend(false);
setCountdown(60);
try {
const result = await api.requestOTP(email);
if (!result.ok) {
setError('Failed to resend code. Please try again.');
setCanResend(true);
}
} catch {
setError('Network error. Please try again.');
setCanResend(true);
}
};
return (
<div className="min-h-screen flex items-center justify-center bg-gradient-to-br from-blue-50 to-indigo-100 px-4 sm:px-6 lg:px-8">
<div className="max-w-md w-full space-y-8">
{/* Header */}
<div className="flex flex-col items-center">
<div className="w-16 h-16 bg-indigo-600 rounded-full flex items-center justify-center text-white text-2xl font-bold shadow-lg">
<svg className="w-8 h-8" fill="none" stroke="currentColor" viewBox="0 0 24 24">
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M3 8l7.89 5.26a2 2 0 002.22 0L21 8M5 19h14a2 2 0 002-2V7a2 2 0 00-2-2H5a2 2 0 00-2 2v10a2 2 0 002 2z" />
</svg>
</div>
<h1 className="mt-6 text-center text-3xl font-extrabold text-gray-900">
Check your email
</h1>
<p className="mt-2 text-center text-sm text-gray-600">
We sent a verification code to
</p>
<p className="text-center text-sm font-medium text-gray-900">
{email}
</p>
</div>
{/* OTP Form */}
<div className="bg-white py-8 px-6 shadow-xl rounded-lg sm:px-10">
<div className="space-y-6">
{/* OTP Inputs */}
<div>
<label className="block text-sm font-medium text-gray-700 text-center mb-4">
Enter verification code
</label>
<div className="flex gap-2 justify-center" onPaste={handlePaste}>
{otp.map((digit, index) => (
<input
key={index}
ref={(el) => {
inputRefs.current[index] = el;
}}
type="text"
inputMode="numeric"
maxLength={1}
value={digit}
onChange={(e) => handleChange(index, e.target.value)}
onKeyDown={(e) => handleKeyDown(index, e)}
disabled={isLoading}
className="w-12 h-12 text-center text-2xl font-bold border-2 border-gray-300 rounded-lg focus:border-indigo-500 focus:ring-2 focus:ring-indigo-500 focus:outline-none disabled:bg-gray-100 disabled:cursor-not-allowed transition-colors"
/>
))}
</div>
</div>
{/* Error Message */}
{error && (
<div className="rounded-md bg-red-50 p-4">
<div className="flex">
<div className="flex-shrink-0">
<svg className="h-5 w-5 text-red-400" viewBox="0 0 20 20" fill="currentColor">
<path fillRule="evenodd" d="M10 18a8 8 0 100-16 8 8 0 000 16zM8.707 7.293a1 1 0 00-1.414 1.414L8.586 10l-1.293 1.293a1 1 0 101.414 1.414L10 11.414l1.293 1.293a1 1 0 001.414-1.414L11.414 10l1.293-1.293a1 1 0 00-1.414-1.414L10 8.586 8.707 7.293z" clipRule="evenodd" />
</svg>
</div>
<div className="ml-3">
<p className="text-sm font-medium text-red-800">{error}</p>
</div>
</div>
</div>
)}
{/* Verify Button */}
<div>
<button
type="button"
onClick={() => handleVerify()}
disabled={isLoading || otp.some(digit => !digit)}
className="w-full flex justify-center py-2 px-4 border border-transparent rounded-md shadow-sm text-sm font-medium text-white bg-indigo-600 hover:bg-indigo-700 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-indigo-500 disabled:opacity-50 disabled:cursor-not-allowed transition-colors"
>
{isLoading ? (
<div className="flex items-center gap-2">
<svg className="animate-spin h-5 w-5 text-white" xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24">
<circle className="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" strokeWidth="4" />
<path className="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z" />
</svg>
Verifying...
</div>
) : (
'Verify code'
)}
</button>
</div>
{/* Resend Code */}
<div className="text-center">
{canResend ? (
<button
type="button"
onClick={handleResend}
className="text-sm font-medium text-indigo-600 hover:text-indigo-500"
>
Resend code
</button>
) : (
<p className="text-sm text-gray-600">
Resend code in {countdown}s
</p>
)}
</div>
</div>
</div>
{/* Back to Login */}
<div className="text-center">
<button
type="button"
onClick={() => router.back()}
className="text-sm text-gray-600 hover:text-gray-900 flex items-center justify-center gap-1"
>
<svg className="w-4 h-4" fill="none" stroke="currentColor" viewBox="0 0 24 24">
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M15 19l-7-7 7-7" />
</svg>
Back to login
</button>
</div>
</div>
</div>
);
}