- 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>
248 lines
8.8 KiB
TypeScript
248 lines
8.8 KiB
TypeScript
'use client';
|
|
|
|
import { useState, useEffect } from 'react';
|
|
import { useRouter } from 'next/navigation';
|
|
import api from '@/lib/api';
|
|
|
|
export default function LoginPage() {
|
|
const router = useRouter();
|
|
const [email, setEmail] = useState('');
|
|
const [inviteCode, setInviteCode] = useState('');
|
|
const [showInviteCode, setShowInviteCode] = useState(false);
|
|
const [isLoading, setIsLoading] = useState(false);
|
|
const [error, setError] = useState<string | null>(null);
|
|
|
|
// Check if already authenticated
|
|
useEffect(() => {
|
|
const checkAuth = async () => {
|
|
const token = await api.getToken();
|
|
if (token) {
|
|
router.replace('/dashboard');
|
|
}
|
|
};
|
|
checkAuth();
|
|
}, [router]);
|
|
|
|
const validateEmail = (email: string): boolean => {
|
|
const emailRegex = /^[^\s@]+@[^\s@]+\.[^\s@]+$/;
|
|
return emailRegex.test(email);
|
|
};
|
|
|
|
const handleContinue = async (e: React.FormEvent) => {
|
|
e.preventDefault();
|
|
setError(null);
|
|
|
|
const trimmedEmail = email.trim().toLowerCase();
|
|
|
|
// Validate email
|
|
if (!trimmedEmail) {
|
|
setError('Email is required');
|
|
return;
|
|
}
|
|
|
|
if (!validateEmail(trimmedEmail)) {
|
|
setError('Please enter a valid email address');
|
|
return;
|
|
}
|
|
|
|
setIsLoading(true);
|
|
|
|
try {
|
|
// Check if email exists in database
|
|
const checkResult = await api.checkEmail(trimmedEmail);
|
|
|
|
// Request OTP code
|
|
const otpResult = await api.requestOTP(trimmedEmail);
|
|
|
|
if (otpResult.ok) {
|
|
// Save email for OTP verification page
|
|
await api.saveEmail(trimmedEmail);
|
|
|
|
// Navigate to OTP verification
|
|
const params = new URLSearchParams({
|
|
email: trimmedEmail,
|
|
isNewUser: checkResult.ok && checkResult.data?.exists ? '0' : '1',
|
|
});
|
|
|
|
if (inviteCode.trim()) {
|
|
params.set('inviteCode', inviteCode.trim());
|
|
}
|
|
|
|
router.push(`/verify-otp?${params.toString()}`);
|
|
} else {
|
|
setError(otpResult.error?.message || 'Failed to send verification code. Please try again.');
|
|
}
|
|
} catch {
|
|
setError('Network error. Please check your connection.');
|
|
} finally {
|
|
setIsLoading(false);
|
|
}
|
|
};
|
|
|
|
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">
|
|
{/* Logo */}
|
|
<div className="flex flex-col items-center">
|
|
<div className="w-24 h-24 bg-indigo-600 rounded-full flex items-center justify-center text-white text-4xl font-bold shadow-lg">
|
|
W
|
|
</div>
|
|
<h1 className="mt-6 text-center text-3xl font-extrabold text-gray-900">
|
|
Welcome to WellNuo
|
|
</h1>
|
|
<p className="mt-2 text-center text-sm text-gray-600">
|
|
Enter your email to get started
|
|
</p>
|
|
</div>
|
|
|
|
{/* Login Form */}
|
|
<div className="bg-white py-8 px-6 shadow-xl rounded-lg sm:px-10">
|
|
<form className="space-y-6" onSubmit={handleContinue}>
|
|
{/* Email Input */}
|
|
<div>
|
|
<label htmlFor="email" className="block text-sm font-medium text-gray-700">
|
|
Email address
|
|
</label>
|
|
<div className="mt-1">
|
|
<input
|
|
id="email"
|
|
name="email"
|
|
type="email"
|
|
autoComplete="email"
|
|
required
|
|
value={email}
|
|
onChange={(e) => setEmail(e.target.value)}
|
|
className="appearance-none block w-full px-3 py-2 border border-gray-300 rounded-md shadow-sm placeholder-gray-400 focus:outline-none focus:ring-indigo-500 focus:border-indigo-500 sm:text-sm"
|
|
placeholder="you@example.com"
|
|
disabled={isLoading}
|
|
/>
|
|
</div>
|
|
</div>
|
|
|
|
{/* Invite Code Toggle */}
|
|
<div>
|
|
<button
|
|
type="button"
|
|
onClick={() => setShowInviteCode(!showInviteCode)}
|
|
className="text-sm text-indigo-600 hover:text-indigo-500 flex items-center gap-1"
|
|
disabled={isLoading}
|
|
>
|
|
<svg
|
|
className={`w-4 h-4 transition-transform ${showInviteCode ? 'rotate-90' : ''}`}
|
|
fill="none"
|
|
stroke="currentColor"
|
|
viewBox="0 0 24 24"
|
|
>
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M9 5l7 7-7 7" />
|
|
</svg>
|
|
Have an invite code?
|
|
</button>
|
|
</div>
|
|
|
|
{/* Invite Code Input */}
|
|
{showInviteCode && (
|
|
<div>
|
|
<label htmlFor="inviteCode" className="block text-sm font-medium text-gray-700">
|
|
Invite code (optional)
|
|
</label>
|
|
<div className="mt-1">
|
|
<input
|
|
id="inviteCode"
|
|
name="inviteCode"
|
|
type="text"
|
|
value={inviteCode}
|
|
onChange={(e) => setInviteCode(e.target.value)}
|
|
className="appearance-none block w-full px-3 py-2 border border-gray-300 rounded-md shadow-sm placeholder-gray-400 focus:outline-none focus:ring-indigo-500 focus:border-indigo-500 sm:text-sm"
|
|
placeholder="Enter invite code"
|
|
disabled={isLoading}
|
|
/>
|
|
</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>
|
|
)}
|
|
|
|
{/* Submit Button */}
|
|
<div>
|
|
<button
|
|
type="submit"
|
|
disabled={isLoading}
|
|
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>
|
|
Sending code...
|
|
</div>
|
|
) : (
|
|
'Get verification code'
|
|
)}
|
|
</button>
|
|
</div>
|
|
</form>
|
|
|
|
{/* Footer */}
|
|
<div className="mt-6">
|
|
<div className="relative">
|
|
<div className="absolute inset-0 flex items-center">
|
|
<div className="w-full border-t border-gray-300" />
|
|
</div>
|
|
<div className="relative flex justify-center text-sm">
|
|
<span className="px-2 bg-white text-gray-500">
|
|
By continuing, you agree to our Terms & Privacy Policy
|
|
</span>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
|
|
{/* Additional Info */}
|
|
<div className="text-center text-sm text-gray-600">
|
|
<p>We'll send you a verification code to your email</p>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
);
|
|
}
|