250 lines
8.2 KiB
TypeScript
250 lines
8.2 KiB
TypeScript
'use client'
|
|
|
|
import { useState } from 'react'
|
|
import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query'
|
|
import { Button } from '@/components/ui/button'
|
|
import { Header } from '@/components/layout/header'
|
|
import { UserDialog } from '@/components/users/user-dialog'
|
|
import { Spinner } from '@/components/ui/spinner'
|
|
import { User, UserFormData } from '@/types'
|
|
import { Plus, Pencil, Trash2 } from 'lucide-react'
|
|
import { apiFetch } from '@/lib/api'
|
|
|
|
export default function UsersPage() {
|
|
const queryClient = useQueryClient()
|
|
const [isDialogOpen, setIsDialogOpen] = useState(false)
|
|
const [editingUser, setEditingUser] = useState<User | null>(null)
|
|
const [deleteConfirmId, setDeleteConfirmId] = useState<string | null>(null)
|
|
|
|
// Fetch users
|
|
const { data: users, isLoading, error } = useQuery<User[]>({
|
|
queryKey: ['users'],
|
|
queryFn: async () => {
|
|
const res = await apiFetch('/api/users')
|
|
if (!res.ok) throw new Error('Failed to fetch users')
|
|
return res.json()
|
|
},
|
|
})
|
|
|
|
// Create user mutation
|
|
const createMutation = useMutation({
|
|
mutationFn: async (data: UserFormData) => {
|
|
const res = await apiFetch('/api/users', {
|
|
method: 'POST',
|
|
headers: { 'Content-Type': 'application/json' },
|
|
body: JSON.stringify(data),
|
|
})
|
|
if (!res.ok) {
|
|
const error = await res.json()
|
|
throw new Error(error.error || 'Failed to create user')
|
|
}
|
|
return res.json()
|
|
},
|
|
onSuccess: () => {
|
|
queryClient.invalidateQueries({ queryKey: ['users'] })
|
|
},
|
|
})
|
|
|
|
// Update user mutation
|
|
const updateMutation = useMutation({
|
|
mutationFn: async ({ id, data }: { id: string; data: UserFormData }) => {
|
|
const res = await apiFetch('/api/users', {
|
|
method: 'PUT',
|
|
headers: { 'Content-Type': 'application/json' },
|
|
body: JSON.stringify({ id, ...data }),
|
|
})
|
|
if (!res.ok) {
|
|
const error = await res.json()
|
|
throw new Error(error.error || 'Failed to update user')
|
|
}
|
|
return res.json()
|
|
},
|
|
onSuccess: () => {
|
|
queryClient.invalidateQueries({ queryKey: ['users'] })
|
|
},
|
|
})
|
|
|
|
// Delete user mutation
|
|
const deleteMutation = useMutation({
|
|
mutationFn: async (id: string) => {
|
|
const res = await apiFetch(`/api/users?id=${id}`, {
|
|
method: 'DELETE',
|
|
})
|
|
if (!res.ok) {
|
|
const error = await res.json()
|
|
throw new Error(error.error || 'Failed to delete user')
|
|
}
|
|
return res.json()
|
|
},
|
|
onSuccess: () => {
|
|
queryClient.invalidateQueries({ queryKey: ['users'] })
|
|
setDeleteConfirmId(null)
|
|
},
|
|
})
|
|
|
|
const handleOpenCreate = () => {
|
|
setEditingUser(null)
|
|
setIsDialogOpen(true)
|
|
}
|
|
|
|
const handleOpenEdit = (user: User) => {
|
|
setEditingUser(user)
|
|
setIsDialogOpen(true)
|
|
}
|
|
|
|
const handleDelete = (id: string) => {
|
|
if (deleteConfirmId === id) {
|
|
deleteMutation.mutate(id)
|
|
} else {
|
|
setDeleteConfirmId(id)
|
|
// Reset after 3 seconds
|
|
setTimeout(() => setDeleteConfirmId(null), 3000)
|
|
}
|
|
}
|
|
|
|
const handleSubmit = async (data: UserFormData) => {
|
|
if (editingUser) {
|
|
await updateMutation.mutateAsync({ id: editingUser.id, data })
|
|
} else {
|
|
await createMutation.mutateAsync(data)
|
|
}
|
|
}
|
|
|
|
const formatDate = (date: Date | string) => {
|
|
return new Date(date).toLocaleDateString('zh-CN', {
|
|
year: 'numeric',
|
|
month: '2-digit',
|
|
day: '2-digit',
|
|
hour: '2-digit',
|
|
minute: '2-digit',
|
|
})
|
|
}
|
|
|
|
if (isLoading) {
|
|
return (
|
|
<div className="h-screen flex items-center justify-center">
|
|
<Spinner size="lg" />
|
|
</div>
|
|
)
|
|
}
|
|
|
|
if (error) {
|
|
return (
|
|
<div className="h-screen flex items-center justify-center">
|
|
<div className="text-center">
|
|
<p className="text-red-600">加载失败</p>
|
|
<Button
|
|
className="mt-4"
|
|
onClick={() => queryClient.invalidateQueries({ queryKey: ['users'] })}
|
|
>
|
|
重试
|
|
</Button>
|
|
</div>
|
|
</div>
|
|
)
|
|
}
|
|
|
|
return (
|
|
<div className="h-screen flex flex-col">
|
|
<Header />
|
|
<div className="flex-1 overflow-auto p-6">
|
|
<div className="max-w-4xl mx-auto">
|
|
<div className="flex items-center justify-between mb-6">
|
|
<div>
|
|
<h1 className="text-2xl font-bold">用户管理</h1>
|
|
<p className="text-gray-500 mt-1">
|
|
共 {users?.length || 0} 个用户
|
|
</p>
|
|
</div>
|
|
<Button onClick={handleOpenCreate}>
|
|
<Plus className="h-4 w-4 mr-2" />
|
|
添加用户
|
|
</Button>
|
|
</div>
|
|
|
|
<div className="bg-white rounded-lg shadow overflow-hidden">
|
|
<table 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">
|
|
用户
|
|
</th>
|
|
<th className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
邮箱
|
|
</th>
|
|
<th className="px-6 py-3 text-left text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
创建时间
|
|
</th>
|
|
<th className="px-6 py-3 text-right text-xs font-medium text-gray-500 uppercase tracking-wider">
|
|
操作
|
|
</th>
|
|
</tr>
|
|
</thead>
|
|
<tbody className="bg-white divide-y divide-gray-200">
|
|
{users?.map((user) => (
|
|
<tr key={user.id} className="hover:bg-gray-50">
|
|
<td className="px-6 py-4 whitespace-nowrap">
|
|
<div className="flex items-center">
|
|
<div className="h-10 w-10 rounded-full bg-gray-200 flex items-center justify-center text-gray-600 font-medium">
|
|
{user.email[0]?.toUpperCase() || 'U'}
|
|
</div>
|
|
<div className="ml-4">
|
|
<div className="text-sm font-medium text-gray-900">
|
|
{user.name || '未设置'}
|
|
</div>
|
|
</div>
|
|
</div>
|
|
</td>
|
|
<td className="px-6 py-4 whitespace-nowrap">
|
|
<div className="text-sm text-gray-900">{user.email}</div>
|
|
</td>
|
|
<td className="px-6 py-4 whitespace-nowrap text-sm text-gray-500">
|
|
{formatDate(user.createdAt)}
|
|
</td>
|
|
<td className="px-6 py-4 whitespace-nowrap text-right text-sm font-medium">
|
|
<Button
|
|
variant="ghost"
|
|
size="sm"
|
|
onClick={() => handleOpenEdit(user)}
|
|
className="text-gray-600 hover:text-gray-900"
|
|
>
|
|
<Pencil className="h-4 w-4" />
|
|
</Button>
|
|
<Button
|
|
variant="ghost"
|
|
size="sm"
|
|
onClick={() => handleDelete(user.id)}
|
|
className={
|
|
deleteConfirmId === user.id
|
|
? 'text-red-600 hover:text-red-700'
|
|
: 'text-gray-600 hover:text-gray-900'
|
|
}
|
|
>
|
|
<Trash2 className="h-4 w-4" />
|
|
</Button>
|
|
</td>
|
|
</tr>
|
|
))}
|
|
{users?.length === 0 && (
|
|
<tr>
|
|
<td colSpan={4} className="px-6 py-12 text-center text-gray-500">
|
|
暂无用户数据
|
|
</td>
|
|
</tr>
|
|
)}
|
|
</tbody>
|
|
</table>
|
|
</div>
|
|
</div>
|
|
</div>
|
|
|
|
<UserDialog
|
|
open={isDialogOpen}
|
|
onOpenChange={setIsDialogOpen}
|
|
user={editingUser}
|
|
onSubmit={handleSubmit}
|
|
/>
|
|
</div>
|
|
)
|
|
}
|