- Restore blue PageHeader on Dashboard (/app-components) - Update homepage (/) with subtle header design without blue bar - Add uniform PageHeader styling to application edit page - Fix Rapporten link on homepage to point to /reports overview - Improve header descriptions spacing for better readability
747 lines
33 KiB
TypeScript
747 lines
33 KiB
TypeScript
import { useState, useEffect } from 'react';
|
|
import { useHasPermission } from '../hooks/usePermissions';
|
|
import ProtectedRoute from './ProtectedRoute';
|
|
import PageHeader from './PageHeader';
|
|
|
|
const API_BASE = import.meta.env.VITE_API_URL || 'http://localhost:3001';
|
|
|
|
interface User {
|
|
id: number;
|
|
email: string;
|
|
username: string;
|
|
display_name: string | null;
|
|
is_active: boolean;
|
|
email_verified: boolean;
|
|
created_at: string;
|
|
last_login: string | null;
|
|
roles: Array<{ id: number; name: string; description: string | null }>;
|
|
}
|
|
|
|
interface Role {
|
|
id: number;
|
|
name: string;
|
|
description: string | null;
|
|
}
|
|
|
|
export default function UserManagement() {
|
|
const [users, setUsers] = useState<User[]>([]);
|
|
const [roles, setRoles] = useState<Role[]>([]);
|
|
const [isLoading, setIsLoading] = useState(true);
|
|
const [error, setError] = useState<string | null>(null);
|
|
const [success, setSuccess] = useState<string | null>(null);
|
|
const [showCreateModal, setShowCreateModal] = useState(false);
|
|
const [showPasswordModal, setShowPasswordModal] = useState(false);
|
|
const [selectedUser, setSelectedUser] = useState<User | null>(null);
|
|
const [searchTerm, setSearchTerm] = useState('');
|
|
// const [expandedUser, setExpandedUser] = useState<number | null>(null); // Unused for now
|
|
const [actionMenuOpen, setActionMenuOpen] = useState<number | null>(null);
|
|
|
|
const hasManageUsers = useHasPermission('manage_users');
|
|
|
|
useEffect(() => {
|
|
if (hasManageUsers) {
|
|
fetchUsers();
|
|
fetchRoles();
|
|
}
|
|
}, [hasManageUsers]);
|
|
|
|
// Close action menu when clicking outside
|
|
useEffect(() => {
|
|
const handleClickOutside = () => {
|
|
setActionMenuOpen(null);
|
|
};
|
|
if (actionMenuOpen !== null) {
|
|
document.addEventListener('click', handleClickOutside);
|
|
return () => document.removeEventListener('click', handleClickOutside);
|
|
}
|
|
}, [actionMenuOpen]);
|
|
|
|
const fetchUsers = async () => {
|
|
try {
|
|
const response = await fetch(`${API_BASE}/api/users`, {
|
|
credentials: 'include',
|
|
});
|
|
if (!response.ok) throw new Error('Failed to fetch users');
|
|
const data = await response.json();
|
|
setUsers(data);
|
|
} catch (err) {
|
|
setError(err instanceof Error ? err.message : 'Failed to load users');
|
|
} finally {
|
|
setIsLoading(false);
|
|
}
|
|
};
|
|
|
|
const fetchRoles = async () => {
|
|
try {
|
|
const response = await fetch(`${API_BASE}/api/roles`, {
|
|
credentials: 'include',
|
|
});
|
|
if (!response.ok) throw new Error('Failed to fetch roles');
|
|
const data = await response.json();
|
|
setRoles(data);
|
|
} catch (err) {
|
|
console.error('Failed to fetch roles:', err);
|
|
}
|
|
};
|
|
|
|
const showSuccess = (message: string) => {
|
|
setSuccess(message);
|
|
setTimeout(() => setSuccess(null), 5000);
|
|
};
|
|
|
|
const showError = (message: string) => {
|
|
setError(message);
|
|
setTimeout(() => setError(null), 5000);
|
|
};
|
|
|
|
const handleCreateUser = async (e: React.FormEvent<HTMLFormElement>) => {
|
|
e.preventDefault();
|
|
setError(null);
|
|
const formData = new FormData(e.currentTarget);
|
|
const email = formData.get('email') as string;
|
|
const username = formData.get('username') as string;
|
|
const displayName = formData.get('display_name') as string;
|
|
const sendInvitation = formData.get('send_invitation') === 'on';
|
|
|
|
try {
|
|
const response = await fetch(`${API_BASE}/api/users`, {
|
|
method: 'POST',
|
|
headers: { 'Content-Type': 'application/json' },
|
|
credentials: 'include',
|
|
body: JSON.stringify({
|
|
email,
|
|
username,
|
|
display_name: displayName || null,
|
|
send_invitation: sendInvitation,
|
|
}),
|
|
});
|
|
|
|
if (!response.ok) {
|
|
const data = await response.json();
|
|
throw new Error(data.error || 'Failed to create user');
|
|
}
|
|
|
|
setShowCreateModal(false);
|
|
showSuccess('Gebruiker succesvol aangemaakt');
|
|
fetchUsers();
|
|
(e.target as HTMLFormElement).reset();
|
|
} catch (err) {
|
|
showError(err instanceof Error ? err.message : 'Failed to create user');
|
|
}
|
|
};
|
|
|
|
const handleInviteUser = async (userId: number) => {
|
|
try {
|
|
const response = await fetch(`${API_BASE}/api/users/${userId}/invite`, {
|
|
method: 'POST',
|
|
credentials: 'include',
|
|
});
|
|
|
|
if (!response.ok) {
|
|
const data = await response.json();
|
|
throw new Error(data.error || 'Failed to send invitation');
|
|
}
|
|
|
|
showSuccess('Uitnodiging succesvol verzonden');
|
|
setActionMenuOpen(null);
|
|
} catch (err) {
|
|
showError(err instanceof Error ? err.message : 'Failed to send invitation');
|
|
}
|
|
};
|
|
|
|
const handleToggleActive = async (userId: number, isActive: boolean) => {
|
|
try {
|
|
const response = await fetch(`${API_BASE}/api/users/${userId}/activate`, {
|
|
method: 'PUT',
|
|
headers: { 'Content-Type': 'application/json' },
|
|
credentials: 'include',
|
|
body: JSON.stringify({ is_active: !isActive }),
|
|
});
|
|
|
|
if (!response.ok) throw new Error('Failed to update user');
|
|
showSuccess(`Gebruiker ${!isActive ? 'geactiveerd' : 'gedeactiveerd'}`);
|
|
fetchUsers();
|
|
setActionMenuOpen(null);
|
|
} catch (err) {
|
|
showError(err instanceof Error ? err.message : 'Failed to update user');
|
|
}
|
|
};
|
|
|
|
const handleAssignRole = async (userId: number, roleId: number) => {
|
|
try {
|
|
const response = await fetch(`${API_BASE}/api/users/${userId}/roles`, {
|
|
method: 'POST',
|
|
headers: { 'Content-Type': 'application/json' },
|
|
credentials: 'include',
|
|
body: JSON.stringify({ role_id: roleId }),
|
|
});
|
|
|
|
if (!response.ok) throw new Error('Failed to assign role');
|
|
showSuccess('Rol toegewezen');
|
|
fetchUsers();
|
|
} catch (err) {
|
|
showError(err instanceof Error ? err.message : 'Failed to assign role');
|
|
}
|
|
};
|
|
|
|
const handleRemoveRole = async (userId: number, roleId: number) => {
|
|
try {
|
|
const response = await fetch(`${API_BASE}/api/users/${userId}/roles/${roleId}`, {
|
|
method: 'DELETE',
|
|
credentials: 'include',
|
|
});
|
|
|
|
if (!response.ok) throw new Error('Failed to remove role');
|
|
showSuccess('Rol verwijderd');
|
|
fetchUsers();
|
|
} catch (err) {
|
|
showError(err instanceof Error ? err.message : 'Failed to remove role');
|
|
}
|
|
};
|
|
|
|
const handleDeleteUser = async (userId: number) => {
|
|
if (!confirm('Weet je zeker dat je deze gebruiker wilt verwijderen? Deze actie kan niet ongedaan worden gemaakt.')) return;
|
|
|
|
try {
|
|
const response = await fetch(`${API_BASE}/api/users/${userId}`, {
|
|
method: 'DELETE',
|
|
credentials: 'include',
|
|
});
|
|
|
|
if (!response.ok) throw new Error('Failed to delete user');
|
|
showSuccess('Gebruiker succesvol verwijderd');
|
|
fetchUsers();
|
|
setActionMenuOpen(null);
|
|
} catch (err) {
|
|
showError(err instanceof Error ? err.message : 'Failed to delete user');
|
|
}
|
|
};
|
|
|
|
const handleVerifyEmail = async (userId: number) => {
|
|
if (!confirm('Weet je zeker dat je het e-mailadres van deze gebruiker wilt verifiëren?')) return;
|
|
|
|
try {
|
|
const response = await fetch(`${API_BASE}/api/users/${userId}/verify-email`, {
|
|
method: 'PUT',
|
|
credentials: 'include',
|
|
});
|
|
|
|
if (!response.ok) {
|
|
const data = await response.json();
|
|
throw new Error(data.error || 'Failed to verify email');
|
|
}
|
|
|
|
showSuccess('E-mailadres succesvol geverifieerd');
|
|
fetchUsers();
|
|
setActionMenuOpen(null);
|
|
} catch (err) {
|
|
showError(err instanceof Error ? err.message : 'Failed to verify email');
|
|
}
|
|
};
|
|
|
|
const handleSetPassword = async (e: React.FormEvent<HTMLFormElement>) => {
|
|
e.preventDefault();
|
|
if (!selectedUser) return;
|
|
setError(null);
|
|
|
|
const formData = new FormData(e.currentTarget);
|
|
const password = formData.get('password') as string;
|
|
const confirmPassword = formData.get('confirm_password') as string;
|
|
|
|
if (password !== confirmPassword) {
|
|
showError('Wachtwoorden komen niet overeen');
|
|
return;
|
|
}
|
|
|
|
if (password.length < 8) {
|
|
showError('Wachtwoord moet minimaal 8 tekens lang zijn');
|
|
return;
|
|
}
|
|
|
|
try {
|
|
const response = await fetch(`${API_BASE}/api/users/${selectedUser.id}/password`, {
|
|
method: 'PUT',
|
|
headers: { 'Content-Type': 'application/json' },
|
|
credentials: 'include',
|
|
body: JSON.stringify({ password }),
|
|
});
|
|
|
|
if (!response.ok) {
|
|
const data = await response.json();
|
|
throw new Error(data.error || 'Failed to set password');
|
|
}
|
|
|
|
showSuccess('Wachtwoord succesvol ingesteld');
|
|
setShowPasswordModal(false);
|
|
setSelectedUser(null);
|
|
(e.target as HTMLFormElement).reset();
|
|
} catch (err) {
|
|
showError(err instanceof Error ? err.message : 'Failed to set password');
|
|
}
|
|
};
|
|
|
|
const filteredUsers = users.filter(
|
|
(user) =>
|
|
user.email.toLowerCase().includes(searchTerm.toLowerCase()) ||
|
|
user.username.toLowerCase().includes(searchTerm.toLowerCase()) ||
|
|
(user.display_name && user.display_name.toLowerCase().includes(searchTerm.toLowerCase()))
|
|
);
|
|
|
|
const getUserInitials = (user: User) => {
|
|
if (user.display_name) {
|
|
return user.display_name
|
|
.split(' ')
|
|
.map(n => n[0])
|
|
.join('')
|
|
.toUpperCase()
|
|
.slice(0, 2);
|
|
}
|
|
return user.username.substring(0, 2).toUpperCase();
|
|
};
|
|
|
|
const formatDate = (dateString: string | null) => {
|
|
if (!dateString) return 'Nog niet ingelogd';
|
|
return new Date(dateString).toLocaleDateString('nl-NL', {
|
|
year: 'numeric',
|
|
month: 'short',
|
|
day: 'numeric',
|
|
});
|
|
};
|
|
|
|
if (!hasManageUsers) {
|
|
return (
|
|
<ProtectedRoute requirePermission="manage_users">
|
|
<div>Access denied</div>
|
|
</ProtectedRoute>
|
|
);
|
|
}
|
|
|
|
return (
|
|
<div className="space-y-6">
|
|
{/* Header */}
|
|
<PageHeader
|
|
title="Gebruikersbeheer"
|
|
description="Beheer gebruikers, rollen en rechten"
|
|
icon={
|
|
<svg className="w-8 h-8" fill="none" viewBox="0 0 24 24" stroke="currentColor">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M12 4.354a4 4 0 110 5.292M15 21H3v-1a6 6 0 0112 0v1zm0 0h6v-1a6 6 0 00-9-5.197M13 7a4 4 0 11-8 0 4 4 0 018 0z" />
|
|
</svg>
|
|
}
|
|
actions={
|
|
<button
|
|
onClick={() => setShowCreateModal(true)}
|
|
className="px-4 py-2 bg-white text-blue-600 rounded-lg hover:bg-blue-50 transition-colors font-medium text-sm shadow-sm hover:shadow-md flex items-center gap-2"
|
|
>
|
|
<svg className="w-5 h-5" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M12 4v16m8-8H4" />
|
|
</svg>
|
|
Nieuwe gebruiker
|
|
</button>
|
|
}
|
|
/>
|
|
|
|
{/* Success/Error Messages */}
|
|
{success && (
|
|
<div className="p-4 bg-green-50 border border-green-200 rounded-lg flex items-start gap-3 animate-in slide-in-from-top">
|
|
<svg className="w-5 h-5 text-green-600 flex-shrink-0 mt-0.5" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z" />
|
|
</svg>
|
|
<p className="text-green-800 font-medium">{success}</p>
|
|
</div>
|
|
)}
|
|
|
|
{error && (
|
|
<div className="p-4 bg-red-50 border border-red-200 rounded-lg flex items-start gap-3 animate-in slide-in-from-top">
|
|
<svg className="w-5 h-5 text-red-600 flex-shrink-0 mt-0.5" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M12 8v4m0 4h.01M21 12a9 9 0 11-18 0 9 9 0 0118 0z" />
|
|
</svg>
|
|
<p className="text-red-800 font-medium">{error}</p>
|
|
</div>
|
|
)}
|
|
|
|
{/* Search and Stats */}
|
|
<div className="bg-white rounded-xl shadow-sm border border-gray-200 p-6">
|
|
<div className="flex flex-col sm:flex-row gap-4 items-start sm:items-center justify-between mb-6">
|
|
<div className="relative flex-1 max-w-md">
|
|
<svg className="absolute left-3 top-1/2 transform -translate-y-1/2 w-5 h-5 text-gray-400" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M21 21l-6-6m2-5a7 7 0 11-14 0 7 7 0 0114 0z" />
|
|
</svg>
|
|
<input
|
|
type="text"
|
|
placeholder="Zoek op naam, e-mail of gebruikersnaam..."
|
|
value={searchTerm}
|
|
onChange={(e) => setSearchTerm(e.target.value)}
|
|
className="w-full pl-10 pr-4 py-2.5 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-blue-500 focus:border-transparent"
|
|
/>
|
|
</div>
|
|
<div className="flex items-center gap-4 text-sm text-gray-600">
|
|
<span className="font-medium text-gray-900">{filteredUsers.length}</span>
|
|
<span>van {users.length} gebruikers</span>
|
|
</div>
|
|
</div>
|
|
|
|
{/* Users Grid */}
|
|
{isLoading ? (
|
|
<div className="py-12 text-center">
|
|
<div className="inline-block w-10 h-10 border-4 border-blue-500 border-t-transparent rounded-full animate-spin"></div>
|
|
<p className="mt-4 text-gray-600 font-medium">Gebruikers laden...</p>
|
|
</div>
|
|
) : filteredUsers.length === 0 ? (
|
|
<div className="py-12 text-center">
|
|
<svg className="mx-auto h-12 w-12 text-gray-400" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M17 20h5v-2a3 3 0 00-5.356-1.857M17 20H7m10 0v-2c0-.656-.126-1.283-.356-1.857M7 20H2v-2a3 3 0 015.356-1.857M7 20v-2c0-.656.126-1.283.356-1.857m0 0a5.002 5.002 0 019.288 0M15 7a3 3 0 11-6 0 3 3 0 016 0zm6 3a2 2 0 11-4 0 2 2 0 014 0zM7 10a2 2 0 11-4 0 2 2 0 014 0z" />
|
|
</svg>
|
|
<p className="mt-4 text-gray-600 font-medium">Geen gebruikers gevonden</p>
|
|
<p className="mt-1 text-sm text-gray-500">
|
|
{searchTerm ? 'Probeer een andere zoekterm' : 'Maak je eerste gebruiker aan'}
|
|
</p>
|
|
</div>
|
|
) : (
|
|
<div className="grid grid-cols-1 lg:grid-cols-2 gap-4">
|
|
{filteredUsers.map((user) => (
|
|
<div
|
|
key={user.id}
|
|
className="bg-gradient-to-br from-white to-gray-50 rounded-xl border border-gray-200 hover:border-blue-300 hover:shadow-md transition-all duration-200"
|
|
>
|
|
<div className="p-5">
|
|
{/* User Header */}
|
|
<div className="flex items-start justify-between mb-4">
|
|
<div className="flex items-center gap-3">
|
|
<div className="w-12 h-12 rounded-full bg-gradient-to-br from-blue-500 to-blue-600 flex items-center justify-center text-white font-semibold text-lg shadow-md">
|
|
{getUserInitials(user)}
|
|
</div>
|
|
<div>
|
|
<h3 className="font-semibold text-gray-900 text-lg">
|
|
{user.display_name || user.username}
|
|
</h3>
|
|
<p className="text-sm text-gray-500">@{user.username}</p>
|
|
</div>
|
|
</div>
|
|
<div className="relative">
|
|
<button
|
|
onClick={(e) => {
|
|
e.stopPropagation();
|
|
setActionMenuOpen(actionMenuOpen === user.id ? null : user.id);
|
|
}}
|
|
className="p-2 rounded-lg hover:bg-gray-100 transition-colors"
|
|
>
|
|
<svg className="w-5 h-5 text-gray-600" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M12 5v.01M12 12v.01M12 19v.01M12 6a1 1 0 110-2 1 1 0 010 2zm0 7a1 1 0 110-2 1 1 0 010 2zm0 7a1 1 0 110-2 1 1 0 010 2z" />
|
|
</svg>
|
|
</button>
|
|
{actionMenuOpen === user.id && (
|
|
<div className="absolute right-0 mt-2 w-56 bg-white rounded-lg shadow-lg border border-gray-200 z-10">
|
|
<div className="py-1">
|
|
{!user.email_verified && (
|
|
<button
|
|
onClick={() => handleVerifyEmail(user.id)}
|
|
className="w-full text-left px-4 py-2 text-sm text-yellow-700 hover:bg-yellow-50 flex items-center gap-2"
|
|
>
|
|
<svg className="w-4 h-4" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z" />
|
|
</svg>
|
|
Verifieer e-mail
|
|
</button>
|
|
)}
|
|
<button
|
|
onClick={() => {
|
|
setSelectedUser(user);
|
|
setShowPasswordModal(true);
|
|
setActionMenuOpen(null);
|
|
}}
|
|
className="w-full text-left px-4 py-2 text-sm text-gray-700 hover:bg-gray-50 flex items-center gap-2"
|
|
>
|
|
<svg className="w-4 h-4" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M15 7a2 2 0 012 2m4 0a6 6 0 01-7.743 5.743L11 17H9v2H7v2H4a1 1 0 01-1-1v-2.586a1 1 0 01.293-.707l5.964-5.964A6 6 0 1121 9z" />
|
|
</svg>
|
|
Wachtwoord instellen
|
|
</button>
|
|
<button
|
|
onClick={() => handleInviteUser(user.id)}
|
|
className="w-full text-left px-4 py-2 text-sm text-gray-700 hover:bg-gray-50 flex items-center gap-2"
|
|
>
|
|
<svg className="w-4 h-4" 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>
|
|
Uitnodiging verzenden
|
|
</button>
|
|
<div className="border-t border-gray-100 my-1"></div>
|
|
<button
|
|
onClick={() => handleToggleActive(user.id, user.is_active)}
|
|
className="w-full text-left px-4 py-2 text-sm text-gray-700 hover:bg-gray-50 flex items-center gap-2"
|
|
>
|
|
<svg className="w-4 h-4" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d={user.is_active ? "M18.364 18.364A9 9 0 005.636 5.636m12.728 12.728A9 9 0 015.636 5.636m12.728 12.728L5.636 5.636" : "M9 12l2 2 4-4m6 2a9 9 0 11-18 0 9 9 0 0118 0z"} />
|
|
</svg>
|
|
{user.is_active ? 'Deactiveren' : 'Activeren'}
|
|
</button>
|
|
<button
|
|
onClick={() => handleDeleteUser(user.id)}
|
|
className="w-full text-left px-4 py-2 text-sm text-red-600 hover:bg-red-50 flex items-center gap-2"
|
|
>
|
|
<svg className="w-4 h-4" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M19 7l-.867 12.142A2 2 0 0116.138 21H7.862a2 2 0 01-1.995-1.858L5 7m5 4v6m4-6v6m1-10V4a1 1 0 00-1-1h-4a1 1 0 00-1 1v3M4 7h16" />
|
|
</svg>
|
|
Verwijderen
|
|
</button>
|
|
</div>
|
|
</div>
|
|
)}
|
|
</div>
|
|
</div>
|
|
|
|
{/* Email */}
|
|
<div className="mb-4">
|
|
<div className="flex items-center gap-2 text-sm text-gray-600">
|
|
<svg className="w-4 h-4" 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>
|
|
<span>{user.email}</span>
|
|
</div>
|
|
</div>
|
|
|
|
{/* Status Badges */}
|
|
<div className="flex flex-wrap gap-2 mb-4">
|
|
<span
|
|
className={`inline-flex items-center gap-1.5 px-2.5 py-1 rounded-full text-xs font-medium ${
|
|
user.is_active
|
|
? 'bg-green-100 text-green-800'
|
|
: 'bg-red-100 text-red-800'
|
|
}`}
|
|
>
|
|
<div className={`w-1.5 h-1.5 rounded-full ${user.is_active ? 'bg-green-600' : 'bg-red-600'}`}></div>
|
|
{user.is_active ? 'Actief' : 'Inactief'}
|
|
</span>
|
|
{user.email_verified ? (
|
|
<span className="inline-flex items-center gap-1.5 px-2.5 py-1 rounded-full text-xs font-medium bg-blue-100 text-blue-800">
|
|
<svg className="w-3 h-3" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M5 13l4 4L19 7" />
|
|
</svg>
|
|
E-mail geverifieerd
|
|
</span>
|
|
) : (
|
|
<span className="inline-flex items-center gap-1.5 px-2.5 py-1 rounded-full text-xs font-medium bg-yellow-100 text-yellow-800">
|
|
<svg className="w-3 h-3" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M12 9v2m0 4h.01m-6.938 4h13.856c1.54 0 2.502-1.667 1.732-3L13.732 4c-.77-1.333-2.694-1.333-3.464 0L3.34 16c-.77 1.333.192 3 1.732 3z" />
|
|
</svg>
|
|
E-mail niet geverifieerd
|
|
</span>
|
|
)}
|
|
</div>
|
|
|
|
{/* Roles */}
|
|
<div className="mb-4">
|
|
<div className="flex items-center gap-2 mb-2">
|
|
<svg className="w-4 h-4 text-gray-400" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M17 20h5v-2a3 3 0 00-5.356-1.857M17 20H7m10 0v-2c0-.656-.126-1.283-.356-1.857M7 20H2v-2a3 3 0 015.356-1.857M7 20v-2c0-.656.126-1.283.356-1.857m0 0a5.002 5.002 0 019.288 0M15 7a3 3 0 11-6 0 3 3 0 016 0zm6 3a2 2 0 11-4 0 2 2 0 014 0zM7 10a2 2 0 11-4 0 2 2 0 014 0z" />
|
|
</svg>
|
|
<span className="text-xs font-medium text-gray-500 uppercase">Rollen</span>
|
|
</div>
|
|
<div className="flex flex-wrap gap-1.5">
|
|
{user.roles.length > 0 ? (
|
|
user.roles.map((role) => (
|
|
<span
|
|
key={role.id}
|
|
className="inline-flex items-center gap-1 px-2.5 py-1 rounded-md text-xs font-medium bg-blue-50 text-blue-700 border border-blue-200"
|
|
>
|
|
{role.name}
|
|
<button
|
|
onClick={() => handleRemoveRole(user.id, role.id)}
|
|
className="hover:text-blue-900 transition-colors"
|
|
title="Rol verwijderen"
|
|
>
|
|
<svg className="w-3 h-3" fill="none" stroke="currentColor" viewBox="0 0 24 24">
|
|
<path strokeLinecap="round" strokeLinejoin="round" strokeWidth={2} d="M6 18L18 6M6 6l12 12" />
|
|
</svg>
|
|
</button>
|
|
</span>
|
|
))
|
|
) : (
|
|
<span className="text-xs text-gray-400 italic">Geen rollen toegewezen</span>
|
|
)}
|
|
<select
|
|
onChange={(e) => {
|
|
if (e.target.value) {
|
|
handleAssignRole(user.id, parseInt(e.target.value));
|
|
e.target.value = '';
|
|
}
|
|
}}
|
|
className="text-xs border border-gray-300 rounded-md px-2 py-1 bg-white hover:bg-gray-50 focus:outline-none focus:ring-1 focus:ring-blue-500"
|
|
title="Rol toevoegen"
|
|
>
|
|
<option value="">+ Rol toevoegen</option>
|
|
{roles
|
|
.filter((role) => !user.roles.some((ur) => ur.id === role.id))
|
|
.map((role) => (
|
|
<option key={role.id} value={role.id}>
|
|
{role.name}
|
|
</option>
|
|
))}
|
|
</select>
|
|
</div>
|
|
</div>
|
|
|
|
{/* Additional Info */}
|
|
<div className="pt-4 border-t border-gray-100">
|
|
<div className="grid grid-cols-2 gap-3 text-xs text-gray-500">
|
|
<div>
|
|
<span className="font-medium text-gray-600">Aangemaakt:</span>
|
|
<p className="mt-0.5">{formatDate(user.created_at)}</p>
|
|
</div>
|
|
<div>
|
|
<span className="font-medium text-gray-600">Laatste login:</span>
|
|
<p className="mt-0.5">{formatDate(user.last_login)}</p>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
))}
|
|
</div>
|
|
)}
|
|
</div>
|
|
|
|
{/* Create User Modal */}
|
|
{showCreateModal && (
|
|
<div className="fixed inset-0 bg-black bg-opacity-50 flex items-center justify-center z-50 p-4">
|
|
<div className="bg-white rounded-xl shadow-xl w-full max-w-md">
|
|
<div className="p-6 border-b border-gray-200">
|
|
<h2 className="text-2xl font-bold text-gray-900">Nieuwe gebruiker</h2>
|
|
<p className="text-sm text-gray-600 mt-1">Voeg een nieuwe gebruiker toe aan het systeem</p>
|
|
</div>
|
|
<form onSubmit={handleCreateUser} className="p-6">
|
|
<div className="space-y-4">
|
|
<div>
|
|
<label className="block text-sm font-semibold text-gray-700 mb-2">
|
|
E-mailadres
|
|
</label>
|
|
<input
|
|
type="email"
|
|
name="email"
|
|
required
|
|
className="w-full px-4 py-2.5 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-blue-500 focus:border-transparent"
|
|
placeholder="gebruiker@voorbeeld.nl"
|
|
/>
|
|
</div>
|
|
<div>
|
|
<label className="block text-sm font-semibold text-gray-700 mb-2">
|
|
Gebruikersnaam
|
|
</label>
|
|
<input
|
|
type="text"
|
|
name="username"
|
|
required
|
|
className="w-full px-4 py-2.5 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-blue-500 focus:border-transparent"
|
|
placeholder="gebruikersnaam"
|
|
/>
|
|
</div>
|
|
<div>
|
|
<label className="block text-sm font-semibold text-gray-700 mb-2">
|
|
Weergavenaam
|
|
</label>
|
|
<input
|
|
type="text"
|
|
name="display_name"
|
|
className="w-full px-4 py-2.5 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-blue-500 focus:border-transparent"
|
|
placeholder="Voornaam Achternaam (optioneel)"
|
|
/>
|
|
</div>
|
|
<div className="flex items-center p-3 bg-blue-50 rounded-lg border border-blue-200">
|
|
<input
|
|
type="checkbox"
|
|
name="send_invitation"
|
|
id="send_invitation"
|
|
defaultChecked
|
|
className="w-4 h-4 text-blue-600 border-gray-300 rounded focus:ring-blue-500"
|
|
/>
|
|
<label htmlFor="send_invitation" className="ml-3 text-sm text-gray-700">
|
|
Stuur uitnodigingsemail naar de gebruiker
|
|
</label>
|
|
</div>
|
|
</div>
|
|
<div className="mt-6 flex gap-3">
|
|
<button
|
|
type="submit"
|
|
className="flex-1 px-4 py-2.5 bg-blue-600 text-white font-medium rounded-lg hover:bg-blue-700 transition-colors"
|
|
>
|
|
Gebruiker aanmaken
|
|
</button>
|
|
<button
|
|
type="button"
|
|
onClick={() => setShowCreateModal(false)}
|
|
className="flex-1 px-4 py-2.5 bg-gray-200 text-gray-700 font-medium rounded-lg hover:bg-gray-300 transition-colors"
|
|
>
|
|
Annuleren
|
|
</button>
|
|
</div>
|
|
</form>
|
|
</div>
|
|
</div>
|
|
)}
|
|
|
|
{/* Set Password Modal */}
|
|
{showPasswordModal && selectedUser && (
|
|
<div className="fixed inset-0 bg-black bg-opacity-50 flex items-center justify-center z-50 p-4">
|
|
<div className="bg-white rounded-xl shadow-xl w-full max-w-md">
|
|
<div className="p-6 border-b border-gray-200">
|
|
<h2 className="text-2xl font-bold text-gray-900">Wachtwoord instellen</h2>
|
|
<p className="text-sm text-gray-600 mt-1">
|
|
Stel een nieuw wachtwoord in voor <strong>{selectedUser.display_name || selectedUser.username}</strong>
|
|
</p>
|
|
</div>
|
|
<form onSubmit={handleSetPassword} className="p-6">
|
|
<div className="space-y-4">
|
|
<div>
|
|
<label className="block text-sm font-semibold text-gray-700 mb-2">
|
|
Nieuw wachtwoord
|
|
</label>
|
|
<input
|
|
type="password"
|
|
name="password"
|
|
required
|
|
minLength={8}
|
|
className="w-full px-4 py-2.5 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-blue-500 focus:border-transparent"
|
|
placeholder="Minimaal 8 tekens"
|
|
/>
|
|
</div>
|
|
<div>
|
|
<label className="block text-sm font-semibold text-gray-700 mb-2">
|
|
Bevestig wachtwoord
|
|
</label>
|
|
<input
|
|
type="password"
|
|
name="confirm_password"
|
|
required
|
|
minLength={8}
|
|
className="w-full px-4 py-2.5 border border-gray-300 rounded-lg focus:outline-none focus:ring-2 focus:ring-blue-500 focus:border-transparent"
|
|
placeholder="Bevestig het wachtwoord"
|
|
/>
|
|
</div>
|
|
</div>
|
|
<div className="mt-6 flex gap-3">
|
|
<button
|
|
type="submit"
|
|
className="flex-1 px-4 py-2.5 bg-blue-600 text-white font-medium rounded-lg hover:bg-blue-700 transition-colors"
|
|
>
|
|
Wachtwoord instellen
|
|
</button>
|
|
<button
|
|
type="button"
|
|
onClick={() => {
|
|
setShowPasswordModal(false);
|
|
setSelectedUser(null);
|
|
setError(null);
|
|
}}
|
|
className="flex-1 px-4 py-2.5 bg-gray-200 text-gray-700 font-medium rounded-lg hover:bg-gray-300 transition-colors"
|
|
>
|
|
Annuleren
|
|
</button>
|
|
</div>
|
|
</form>
|
|
</div>
|
|
</div>
|
|
)}
|
|
</div>
|
|
);
|
|
}
|