- Backend: Implementada query `ListAgendasByCompany` e ajustada lógica do serviço de agenda para filtrar eventos pela empresa do usuário. - Backend: Adicionada migração segura (idempotente) para incluir coluna `empresa_id` em produção. - Frontend: Corrigido filtro [getEventsByRole] para exibir eventos importados (da empresa) para o cliente. - Frontend: Renomeada aba de aprovação para 'Cadastros Clientes'.
379 lines
16 KiB
TypeScript
379 lines
16 KiB
TypeScript
import React, { useState, useEffect } from "react";
|
|
import { useAuth } from "../contexts/AuthContext";
|
|
import {
|
|
getPendingUsers,
|
|
approveUser as apiApproveUser,
|
|
rejectUser as apiRejectUser,
|
|
updateUserRole,
|
|
} from "../services/apiService";
|
|
import { UserApprovalStatus, UserRole } from "../types";
|
|
import {
|
|
CheckCircle,
|
|
XCircle,
|
|
Clock,
|
|
Search,
|
|
Filter,
|
|
Users,
|
|
Briefcase,
|
|
Edit2,
|
|
} from "lucide-react";
|
|
import { Button } from "../components/Button";
|
|
|
|
interface UserApprovalProps {
|
|
onNavigate?: (page: string) => void;
|
|
}
|
|
|
|
export const UserApproval: React.FC<UserApprovalProps> = ({ onNavigate }) => {
|
|
const { token } = useAuth();
|
|
const [users, setUsers] = useState<any[]>([]);
|
|
const [isLoading, setIsLoading] = useState(true);
|
|
const [searchTerm, setSearchTerm] = useState("");
|
|
const [statusFilter, setStatusFilter] = useState<"ALL" | UserApprovalStatus>(
|
|
"ALL"
|
|
);
|
|
const [activeTab, setActiveTab] = useState<"cliente" | "profissional">(
|
|
"cliente"
|
|
);
|
|
const [isProcessing, setIsProcessing] = useState<string | null>(null);
|
|
|
|
const fetchUsers = async () => {
|
|
if (!token) {
|
|
setIsLoading(false);
|
|
return;
|
|
}
|
|
setIsLoading(true);
|
|
try {
|
|
const result = await getPendingUsers(token);
|
|
if (result.data) {
|
|
const mappedUsers = result.data.map((u: any) => ({
|
|
...u,
|
|
approvalStatus: u.ativo
|
|
? UserApprovalStatus.APPROVED
|
|
: UserApprovalStatus.PENDING,
|
|
}));
|
|
setUsers(mappedUsers);
|
|
}
|
|
} catch (error) {
|
|
console.error("Erro ao buscar usuários:", error);
|
|
} finally {
|
|
setIsLoading(false);
|
|
}
|
|
};
|
|
|
|
useEffect(() => {
|
|
fetchUsers();
|
|
}, [token]);
|
|
|
|
const handleApprove = async (userId: string) => {
|
|
if (!token) return;
|
|
setIsProcessing(userId);
|
|
try {
|
|
await apiApproveUser(userId, token);
|
|
await fetchUsers();
|
|
} catch (error) {
|
|
console.error("Erro ao aprovar usuário:", error);
|
|
alert("Erro ao aprovar usuário");
|
|
} finally {
|
|
setIsProcessing(null);
|
|
}
|
|
};
|
|
|
|
const handleRoleChange = async (userId: string, newRole: string) => {
|
|
if (!token) return;
|
|
try {
|
|
// Optimistic update
|
|
setUsers(prev => prev.map(u => u.id === userId ? {...u, role: newRole} : u));
|
|
|
|
await updateUserRole(userId, newRole, token);
|
|
// Refresh to be sure
|
|
// await fetchUsers(); // Optional if we trust optimistic
|
|
} catch (error) {
|
|
console.error("Erro ao atualizar role:", error);
|
|
alert("Erro ao atualizar função do usuário");
|
|
// Revert? simpler to just fetch
|
|
fetchUsers();
|
|
}
|
|
};
|
|
|
|
|
|
// Separar usuários Clientes (EVENT_OWNER) e Profissionais (PHOTOGRAPHER)
|
|
// Backend roles: PHOTOGRAPHER, EVENT_OWNER, BUSINESS_OWNER, SUPERADMIN, RESEARCHER
|
|
const clientUsers = users.filter(
|
|
(user) => user.role === "EVENT_OWNER"
|
|
);
|
|
const professionalUsers = users.filter(
|
|
(user) => user.role === "PHOTOGRAPHER" || user.role === "RESEARCHER" || user.role === "BUSINESS_OWNER" // Include BUSINESS_OWNER if relevant for professional list? Usually Business owner is client-side but maybe here it's treated differently. based on login.tsx business owner is "Dono do Negócio". Let's stick to PHOTOGRAPHER + RESEARCHER as per request, but user explicitly mentioned "admin ter liberdade de editar role".
|
|
);
|
|
|
|
// Filtrar usuários baseado na aba ativa
|
|
const currentUsers = activeTab === "cliente" ? clientUsers : professionalUsers;
|
|
|
|
const filteredUsers = currentUsers.filter((user) => {
|
|
const matchesSearch =
|
|
(user.name || "").toLowerCase().includes(searchTerm.toLowerCase()) ||
|
|
(user.email || "").toLowerCase().includes(searchTerm.toLowerCase());
|
|
return matchesSearch;
|
|
});
|
|
|
|
const getStatusBadge = (status: UserApprovalStatus) => {
|
|
const s = status || UserApprovalStatus.PENDING;
|
|
switch (s) {
|
|
case UserApprovalStatus.PENDING:
|
|
return (
|
|
<span className="inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium bg-yellow-100 text-yellow-800">
|
|
<Clock className="w-3 h-3 mr-1" />
|
|
Pendente
|
|
</span>
|
|
);
|
|
case UserApprovalStatus.APPROVED:
|
|
return (
|
|
<span className="inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium bg-green-100 text-green-800">
|
|
<CheckCircle className="w-3 h-3 mr-1" />
|
|
Aprovado
|
|
</span>
|
|
);
|
|
case UserApprovalStatus.REJECTED:
|
|
return (
|
|
<span className="inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium bg-red-100 text-red-800">
|
|
<XCircle className="w-3 h-3 mr-1" />
|
|
Rejeitado
|
|
</span>
|
|
);
|
|
default:
|
|
return null;
|
|
}
|
|
};
|
|
|
|
return (
|
|
<div className="min-h-screen bg-gray-50 pt-20 sm:pt-24 md:pt-28 lg:pt-32 pb-8 sm:pb-12">
|
|
<div className="max-w-7xl mx-auto px-4 sm:px-6 lg:px-8">
|
|
{/* Header */}
|
|
<div className="mb-6 sm:mb-8">
|
|
<h1 className="text-2xl sm:text-3xl font-serif font-bold text-brand-black">
|
|
Aprovação de Cadastros
|
|
</h1>
|
|
<p className="text-sm sm:text-base text-gray-600 mt-1">
|
|
Gerencie os cadastros pendentes de aprovação
|
|
</p>
|
|
</div>
|
|
|
|
{/* Tabs */}
|
|
<div className="mb-6 border-b border-gray-200">
|
|
<nav className="-mb-px flex space-x-8">
|
|
<button
|
|
onClick={() => setActiveTab("cliente")}
|
|
className={`py-4 px-1 border-b-2 font-medium text-sm flex items-center gap-2 transition-colors ${activeTab === "cliente"
|
|
? "border-[#B9CF33] text-[#B9CF33]"
|
|
: "border-transparent text-gray-500 hover:text-gray-700 hover:border-gray-300"
|
|
}`}
|
|
>
|
|
<Users className="w-5 h-5" />
|
|
Cadastros Clientes
|
|
<span
|
|
className={`ml-2 py-0.5 px-2.5 rounded-full text-xs ${activeTab === "cliente"
|
|
? "bg-[#B9CF33] text-white"
|
|
: "bg-gray-200 text-gray-600"
|
|
}`}
|
|
>
|
|
{clientUsers.length}
|
|
</span>
|
|
</button>
|
|
<button
|
|
onClick={() => setActiveTab("profissional")}
|
|
className={`py-4 px-1 border-b-2 font-medium text-sm flex items-center gap-2 transition-colors ${activeTab === "profissional"
|
|
? "border-[#B9CF33] text-[#B9CF33]"
|
|
: "border-transparent text-gray-500 hover:text-gray-700 hover:border-gray-300"
|
|
}`}
|
|
>
|
|
<Briefcase className="w-5 h-5" />
|
|
Cadastros Profissionais
|
|
<span
|
|
className={`ml-2 py-0.5 px-2.5 rounded-full text-xs ${activeTab === "profissional"
|
|
? "bg-[#B9CF33] text-white"
|
|
: "bg-gray-200 text-gray-600"
|
|
}`}
|
|
>
|
|
{professionalUsers.length}
|
|
</span>
|
|
</button>
|
|
</nav>
|
|
</div>
|
|
|
|
{/* Filters */}
|
|
<div className="bg-white rounded-lg shadow-sm border border-gray-200 p-4 mb-6">
|
|
<div className="flex flex-col sm:flex-row gap-4">
|
|
{/* Search */}
|
|
<div className="flex-1 relative">
|
|
<Search className="absolute left-3 top-1/2 transform -translate-y-1/2 w-5 h-5 text-gray-400" />
|
|
<input
|
|
type="text"
|
|
placeholder="Buscar por nome ou email..."
|
|
value={searchTerm}
|
|
onChange={(e) => setSearchTerm(e.target.value)}
|
|
className="w-full pl-10 pr-4 py-2 border border-gray-300 rounded-lg focus:ring-2 focus:ring-brand-gold focus:border-transparent"
|
|
/>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
|
|
{/* Table */}
|
|
<div className="bg-white rounded-lg shadow-sm border border-gray-200 overflow-hidden">
|
|
<div className="overflow-x-auto">
|
|
{isLoading ? (
|
|
<div className="p-8 text-center text-gray-500">
|
|
Carregando solicitações...
|
|
</div>
|
|
) : (
|
|
<table key={activeTab} className="min-w-full divide-y divide-gray-200">
|
|
<thead className="bg-gray-50">
|
|
<tr>
|
|
<th className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
Nome
|
|
</th>
|
|
{activeTab === "cliente" && (
|
|
<th className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
Empresa
|
|
</th>
|
|
)}
|
|
<th className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
Email
|
|
</th>
|
|
<th className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
Telefone
|
|
</th>
|
|
{/* Role Column */}
|
|
<th className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
Função
|
|
</th>
|
|
<th className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
Data de Cadastro
|
|
</th>
|
|
<th className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
Status
|
|
</th>
|
|
<th className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
Ações
|
|
</th>
|
|
</tr>
|
|
</thead>
|
|
<tbody className="bg-white divide-y divide-gray-200">
|
|
{filteredUsers.length === 0 ? (
|
|
<tr>
|
|
<td
|
|
colSpan={activeTab === "cliente" ? 8 : 7}
|
|
className="px-6 py-12 text-center text-gray-500"
|
|
>
|
|
<div className="flex flex-col items-center justify-center">
|
|
{activeTab === "cliente" ? (
|
|
<Users className="w-12 h-12 text-gray-300 mb-3" />
|
|
) : (
|
|
<Briefcase className="w-12 h-12 text-gray-300 mb-3" />
|
|
)}
|
|
<p className="text-lg font-medium">
|
|
{activeTab === "cliente"
|
|
? "Nenhum cadastro de cliente encontrado"
|
|
: "Nenhum cadastro profissional encontrado"}
|
|
</p>
|
|
</div>
|
|
</td>
|
|
</tr>
|
|
) : (
|
|
filteredUsers.map((user, index) => (
|
|
<tr
|
|
key={`${user.id}-${index}`}
|
|
className="hover:bg-gray-50 transition-colors"
|
|
>
|
|
<td className="px-6 py-4 whitespace-nowrap">
|
|
<div className="text-sm font-medium text-gray-900">
|
|
{user.name || user.email}
|
|
</div>
|
|
</td>
|
|
{activeTab === "cliente" && (
|
|
<td className="px-6 py-4 whitespace-nowrap">
|
|
<div className="text-sm text-gray-600">
|
|
{user.company_name || "-"}
|
|
</div>
|
|
</td>
|
|
)}
|
|
<td className="px-6 py-4 whitespace-nowrap">
|
|
<div className="text-sm text-gray-600">
|
|
{user.email}
|
|
</div>
|
|
</td>
|
|
<td className="px-6 py-4 whitespace-nowrap">
|
|
<div className="text-sm text-gray-600">
|
|
{user.phone || "-"}
|
|
</div>
|
|
</td>
|
|
{/* Role Editor */}
|
|
<td className="px-6 py-4 whitespace-nowrap">
|
|
<select
|
|
value={
|
|
user.role === "PHOTOGRAPHER" && user.professional_type === "Cinegrafista" ? "Cinegrafista" :
|
|
user.role === "PHOTOGRAPHER" && user.professional_type === "Recepcionista" ? "Recepcionista" :
|
|
user.role === "PHOTOGRAPHER" && user.professional_type === "Fotógrafo" ? "Fotógrafo" :
|
|
user.role === "PHOTOGRAPHER" ? "Fotógrafo" : // Default to Fotógrafo if generic Photographer role
|
|
user.role
|
|
}
|
|
onChange={(e) => {
|
|
let newRole = e.target.value;
|
|
if (["Cinegrafista", "Recepcionista", "Fotógrafo"].includes(newRole)) {
|
|
newRole = "PHOTOGRAPHER";
|
|
// Note: We are currently only updating the System Role.
|
|
// The 'professional_type' field is not updated by updateUserRole endpoint.
|
|
// This UI allows the user to confirm the System Role is correct for these types.
|
|
}
|
|
handleRoleChange(user.id, newRole);
|
|
}}
|
|
className="text-sm border-gray-300 rounded-md shadow-sm focus:border-brand-gold focus:ring focus:ring-brand-gold focus:ring-opacity-50"
|
|
>
|
|
<option value="Fotógrafo">Fotógrafo</option>
|
|
<option value="Cinegrafista">Cinegrafista</option>
|
|
<option value="Recepcionista">Recepcionista</option>
|
|
<option value="RESEARCHER">Pesquisador</option>
|
|
<option value="EVENT_OWNER">Cliente</option>
|
|
<option value="BUSINESS_OWNER">Empresa</option>
|
|
</select>
|
|
</td>
|
|
<td className="px-6 py-4 whitespace-nowrap">
|
|
<div className="text-sm text-gray-600">
|
|
{user.created_at
|
|
? new Date(user.created_at).toLocaleDateString(
|
|
"pt-BR"
|
|
)
|
|
: "-"}
|
|
</div>
|
|
</td>
|
|
<td className="px-6 py-4 whitespace-nowrap">
|
|
{getStatusBadge(
|
|
user.approvalStatus || UserApprovalStatus.PENDING
|
|
)}
|
|
</td>
|
|
<td className="px-6 py-4 whitespace-nowrap text-sm font-medium">
|
|
<div className="flex gap-2">
|
|
<Button
|
|
size="sm"
|
|
onClick={() => handleApprove(user.id)}
|
|
isLoading={isProcessing === user.id}
|
|
disabled={isProcessing !== null}
|
|
className="bg-green-600 hover:bg-green-700 text-white"
|
|
>
|
|
<CheckCircle className="w-4 h-4 mr-1" />
|
|
Aprovar
|
|
</Button>
|
|
|
|
</div>
|
|
</td>
|
|
</tr>
|
|
))
|
|
)}
|
|
</tbody>
|
|
</table>
|
|
)
|
|
}
|
|
</div >
|
|
</div >
|
|
</div >
|
|
</div >
|
|
);
|
|
};
|