80 lines
2.8 KiB
TypeScript
80 lines
2.8 KiB
TypeScript
import { useState, useEffect } from 'react';
|
|
import PageMeta from '../../components/common/PageMeta';
|
|
import { useToast } from '../../components/ui/toast/ToastContainer';
|
|
import { usePageLoading } from '../../context/PageLoadingContext';
|
|
import { fetchAPI } from '../../services/api';
|
|
import { Card } from '../../components/ui/card';
|
|
import Badge from '../../components/ui/badge/Badge';
|
|
|
|
interface User {
|
|
id: number;
|
|
email: string;
|
|
username: string;
|
|
role: string;
|
|
is_active: boolean;
|
|
}
|
|
|
|
export default function Users() {
|
|
const toast = useToast();
|
|
const { startLoading, stopLoading } = usePageLoading();
|
|
const [users, setUsers] = useState<User[]>([]);
|
|
|
|
useEffect(() => {
|
|
loadUsers();
|
|
}, []);
|
|
|
|
const loadUsers = async () => {
|
|
try {
|
|
startLoading('Loading users...');
|
|
const response = await fetchAPI('/v1/auth/users/');
|
|
setUsers(response.results || []);
|
|
} catch (error: any) {
|
|
toast.error(`Failed to load users: ${error.message}`);
|
|
} finally {
|
|
stopLoading();
|
|
}
|
|
};
|
|
|
|
return (
|
|
<>
|
|
<PageMeta title="Users" />
|
|
<div className="mb-6">
|
|
<h1 className="text-2xl font-bold text-gray-900 dark:text-white">Users</h1>
|
|
<p className="text-gray-600 dark:text-gray-400 mt-1">Manage account users and permissions</p>
|
|
</div>
|
|
|
|
<Card className="p-6">
|
|
<div className="overflow-x-auto">
|
|
<table className="w-full">
|
|
<thead>
|
|
<tr className="border-b border-gray-200 dark:border-gray-700">
|
|
<th className="text-left py-3 px-4 text-sm font-medium text-gray-700 dark:text-gray-300">Email</th>
|
|
<th className="text-left py-3 px-4 text-sm font-medium text-gray-700 dark:text-gray-300">Username</th>
|
|
<th className="text-left py-3 px-4 text-sm font-medium text-gray-700 dark:text-gray-300">Role</th>
|
|
<th className="text-left py-3 px-4 text-sm font-medium text-gray-700 dark:text-gray-300">Status</th>
|
|
</tr>
|
|
</thead>
|
|
<tbody>
|
|
{users.map((user) => (
|
|
<tr key={user.id} className="border-b border-gray-100 dark:border-gray-800">
|
|
<td className="py-3 px-4 text-sm text-gray-900 dark:text-white">{user.email}</td>
|
|
<td className="py-3 px-4 text-sm text-gray-600 dark:text-gray-400">{user.username}</td>
|
|
<td className="py-3 px-4">
|
|
<Badge variant="light" color="primary">{user.role}</Badge>
|
|
</td>
|
|
<td className="py-3 px-4">
|
|
<Badge variant="light" color={user.is_active ? 'success' : 'dark'}>
|
|
{user.is_active ? 'Active' : 'Inactive'}
|
|
</Badge>
|
|
</td>
|
|
</tr>
|
|
))}
|
|
</tbody>
|
|
</table>
|
|
</div>
|
|
</Card>
|
|
</>
|
|
);
|
|
}
|
|
|