localgreenchain/components/auth/RegisterForm.tsx
Claude 39b6081baa
Implement comprehensive authentication system (Agent 1)
Add complete user authentication with NextAuth.js supporting:
- Email/password credentials authentication
- OAuth providers (GitHub, Google) with optional configuration
- JWT-based session management with 30-day expiry
- Role-based access control (USER, GROWER, FARM_MANAGER, ADMIN)
- Permission system with granular access control
- Secure password hashing with bcrypt (12 rounds)
- Rate limiting on auth endpoints
- Password reset flow with secure tokens
- Email verification system

Files added:
- lib/auth/: Core auth library (types, permissions, context, hooks, middleware)
- pages/api/auth/: Auth API routes (NextAuth, register, forgot-password, verify-email)
- pages/auth/: Auth pages (signin, signup, forgot-password, reset-password, verify-email)
- components/auth/: Reusable auth components (LoginForm, RegisterForm, AuthGuard, etc.)

Updated _app.tsx to include SessionProvider for auth state management.
2025-11-23 03:52:09 +00:00

195 lines
6.2 KiB
TypeScript

import { useState } from 'react'
import { signIn } from 'next-auth/react'
interface RegisterFormProps {
callbackUrl?: string
onSuccess?: () => void
onError?: (error: string) => void
}
export function RegisterForm({ callbackUrl = '/', onSuccess, onError }: RegisterFormProps) {
const [formData, setFormData] = useState({
name: '',
email: '',
password: '',
confirmPassword: '',
})
const [isLoading, setIsLoading] = useState(false)
const [error, setError] = useState<string | null>(null)
const handleChange = (e: React.ChangeEvent<HTMLInputElement>) => {
setFormData((prev) => ({
...prev,
[e.target.name]: e.target.value,
}))
}
const validateForm = (): string | null => {
if (!formData.email || !formData.password) {
return 'Email and password are required'
}
if (formData.password.length < 8) {
return 'Password must be at least 8 characters long'
}
const hasUpperCase = /[A-Z]/.test(formData.password)
const hasLowerCase = /[a-z]/.test(formData.password)
const hasNumbers = /\d/.test(formData.password)
if (!hasUpperCase || !hasLowerCase || !hasNumbers) {
return 'Password must contain uppercase, lowercase, and numbers'
}
if (formData.password !== formData.confirmPassword) {
return 'Passwords do not match'
}
return null
}
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault()
setIsLoading(true)
setError(null)
const validationError = validateForm()
if (validationError) {
setError(validationError)
setIsLoading(false)
onError?.(validationError)
return
}
try {
const response = await fetch('/api/auth/register', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({
name: formData.name,
email: formData.email,
password: formData.password,
}),
})
const data = await response.json()
if (!response.ok) {
setError(data.message || 'Registration failed')
onError?.(data.message || 'Registration failed')
return
}
onSuccess?.()
// Auto sign in after successful registration
const result = await signIn('credentials', {
email: formData.email,
password: formData.password,
redirect: false,
})
if (result?.ok && callbackUrl) {
window.location.href = callbackUrl
}
} catch (err) {
const errorMessage = 'An unexpected error occurred'
setError(errorMessage)
onError?.(errorMessage)
} finally {
setIsLoading(false)
}
}
return (
<form className="space-y-6" onSubmit={handleSubmit}>
{error && (
<div className="bg-red-50 border border-red-200 text-red-700 px-4 py-3 rounded relative text-sm">
{error}
</div>
)}
<div className="space-y-4">
<div>
<label htmlFor="register-name" className="block text-sm font-medium text-gray-700">
Full Name (optional)
</label>
<input
id="register-name"
name="name"
type="text"
autoComplete="name"
value={formData.name}
onChange={handleChange}
className="mt-1 appearance-none relative block w-full px-3 py-2 border border-gray-300 placeholder-gray-500 text-gray-900 rounded-md focus:outline-none focus:ring-green-500 focus:border-green-500 sm:text-sm"
placeholder="John Doe"
/>
</div>
<div>
<label htmlFor="register-email" className="block text-sm font-medium text-gray-700">
Email address
</label>
<input
id="register-email"
name="email"
type="email"
autoComplete="email"
required
value={formData.email}
onChange={handleChange}
className="mt-1 appearance-none relative block w-full px-3 py-2 border border-gray-300 placeholder-gray-500 text-gray-900 rounded-md focus:outline-none focus:ring-green-500 focus:border-green-500 sm:text-sm"
placeholder="you@example.com"
/>
</div>
<div>
<label htmlFor="register-password" className="block text-sm font-medium text-gray-700">
Password
</label>
<input
id="register-password"
name="password"
type="password"
autoComplete="new-password"
required
value={formData.password}
onChange={handleChange}
className="mt-1 appearance-none relative block w-full px-3 py-2 border border-gray-300 placeholder-gray-500 text-gray-900 rounded-md focus:outline-none focus:ring-green-500 focus:border-green-500 sm:text-sm"
placeholder="At least 8 characters"
/>
<p className="mt-1 text-xs text-gray-500">
Must contain uppercase, lowercase, and numbers
</p>
</div>
<div>
<label htmlFor="register-confirmPassword" className="block text-sm font-medium text-gray-700">
Confirm Password
</label>
<input
id="register-confirmPassword"
name="confirmPassword"
type="password"
autoComplete="new-password"
required
value={formData.confirmPassword}
onChange={handleChange}
className="mt-1 appearance-none relative block w-full px-3 py-2 border border-gray-300 placeholder-gray-500 text-gray-900 rounded-md focus:outline-none focus:ring-green-500 focus:border-green-500 sm:text-sm"
placeholder="Confirm your password"
/>
</div>
</div>
<button
type="submit"
disabled={isLoading}
className="group relative w-full flex justify-center py-2 px-4 border border-transparent text-sm font-medium rounded-md text-white bg-green-600 hover:bg-green-700 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-green-500 disabled:opacity-50 disabled:cursor-not-allowed"
>
{isLoading ? 'Creating account...' : 'Create account'}
</button>
</form>
)
}
export default RegisterForm