Fix authentication state persistence and admin role display

- Implement complete authentication system with JWT token validation
- Add auth provider with persistent login state across page refreshes
- Create multilingual login/register forms with Material-UI components
- Fix token validation using raw SQL queries to bypass Prisma sync issues
- Add comprehensive error handling for expired/invalid tokens
- Create profile and settings pages with full i18n support
- Add proper user role management (admin/user) with database sync
- Implement secure middleware with CSRF protection and auth checks
- Add debug endpoints for troubleshooting authentication issues
- Fix Zustand store persistence for authentication state

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

Co-Authored-By: Claude <noreply@anthropic.com>
This commit is contained in:
andupetcu
2025-09-21 01:06:30 +03:00
parent cd1793b4a5
commit ad28ae4174
263 changed files with 502172 additions and 179 deletions

View File

@@ -1,7 +1,23 @@
'use client'
import { useState } from 'react'
import { useStore } from '@/lib/store'
import { useTranslations } from 'next-intl'
import { useAuth } from './auth-provider'
import {
Box,
TextField,
Button,
Alert,
CircularProgress,
InputAdornment,
IconButton
} from '@mui/material'
import {
Email,
Lock,
Visibility,
VisibilityOff
} from '@mui/icons-material'
interface LoginFormProps {
onSuccess?: () => void
@@ -12,7 +28,9 @@ export function LoginForm({ onSuccess }: LoginFormProps) {
const [password, setPassword] = useState('')
const [loading, setLoading] = useState(false)
const [error, setError] = useState('')
const { setUser } = useStore()
const [showPassword, setShowPassword] = useState(false)
const { login } = useAuth()
const t = useTranslations('auth')
const handleSubmit = async (e: React.FormEvent) => {
e.preventDefault()
@@ -20,74 +38,94 @@ export function LoginForm({ onSuccess }: LoginFormProps) {
setError('')
try {
const response = await fetch('/api/auth/login', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ email, password })
})
const result = await login(email, password)
const data = await response.json()
if (!response.ok) {
setError(data.error || 'Eroare la autentificare')
return
}
// Store user and token
setUser(data.user)
localStorage.setItem('authToken', data.token)
if (onSuccess) {
onSuccess()
if (result.success) {
if (onSuccess) {
onSuccess()
}
} else {
setError(result.error || t('loginError'))
}
} catch (error) {
setError('Eroare de conexiune')
setError(t('connectionError'))
} finally {
setLoading(false)
}
}
return (
<form onSubmit={handleSubmit} className="space-y-4">
<div>
<label htmlFor="email" className="block text-sm font-medium text-gray-700">
Email
</label>
<input
type="email"
id="email"
value={email}
onChange={(e) => setEmail(e.target.value)}
className="mt-1 block w-full px-3 py-2 border border-gray-300 rounded-md shadow-sm focus:outline-none focus:ring-blue-500 focus:border-blue-500"
required
/>
</div>
const handleClickShowPassword = () => {
setShowPassword(!showPassword)
}
<div>
<label htmlFor="password" className="block text-sm font-medium text-gray-700">
Parolă
</label>
<input
type="password"
id="password"
value={password}
onChange={(e) => setPassword(e.target.value)}
className="mt-1 block w-full px-3 py-2 border border-gray-300 rounded-md shadow-sm focus:outline-none focus:ring-blue-500 focus:border-blue-500"
required
/>
</div>
return (
<Box component="form" onSubmit={handleSubmit} sx={{ width: '100%' }}>
<TextField
fullWidth
type="email"
label={t('email')}
value={email}
onChange={(e) => setEmail(e.target.value)}
required
margin="normal"
variant="outlined"
disabled={loading}
InputProps={{
startAdornment: (
<InputAdornment position="start">
<Email color="action" />
</InputAdornment>
),
}}
/>
<TextField
fullWidth
type={showPassword ? 'text' : 'password'}
label={t('password')}
value={password}
onChange={(e) => setPassword(e.target.value)}
required
margin="normal"
variant="outlined"
disabled={loading}
InputProps={{
startAdornment: (
<InputAdornment position="start">
<Lock color="action" />
</InputAdornment>
),
endAdornment: (
<InputAdornment position="end">
<IconButton
aria-label="toggle password visibility"
onClick={handleClickShowPassword}
edge="end"
disabled={loading}
>
{showPassword ? <VisibilityOff /> : <Visibility />}
</IconButton>
</InputAdornment>
),
}}
/>
{error && (
<div className="text-red-600 text-sm">{error}</div>
<Alert severity="error" sx={{ mt: 2 }}>
{error}
</Alert>
)}
<button
<Button
type="submit"
fullWidth
variant="contained"
disabled={loading}
className="w-full flex justify-center py-2 px-4 border border-transparent rounded-md shadow-sm text-sm font-medium text-white bg-blue-600 hover:bg-blue-700 focus:outline-none focus:ring-2 focus:ring-offset-2 focus:ring-blue-500 disabled:opacity-50"
sx={{ mt: 3, mb: 2, py: 1.5 }}
startIcon={loading ? <CircularProgress size={20} color="inherit" /> : undefined}
>
{loading ? 'Se autentifică...' : 'Autentificare'}
</button>
</form>
{loading ? t('logging_in') : t('login')}
</Button>
</Box>
)
}