| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642 |
- import React from 'react';
- import { useQuery, useMutation, useQueryClient } from '@tanstack/react-query';
- import { Button } from '@/client/components/ui/button';
- import { Card, CardContent, CardDescription, CardHeader, CardTitle } from '@/client/components/ui/card';
- import { Table, TableBody, TableCell, TableHead, TableHeader, TableRow } from '@/client/components/ui/table';
- import { DataTablePagination } from '../components/DataTablePagination';
- import { Plus, Edit, Trash2, Search, Power, ListTree, Table as TableIcon, RotateCcw } from 'lucide-react';
- import { useState, useCallback } from 'react';
- import { areaClient } from '@/client/api';
- import type { InferResponseType, InferRequestType } from 'hono/client';
- import { Input } from '@/client/components/ui/input';
- import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from '@/client/components/ui/select';
- import { Badge } from '@/client/components/ui/badge';
- import { Dialog, DialogContent, DialogDescription, DialogHeader, DialogTitle } from '@/client/components/ui/dialog';
- import { AlertDialog, AlertDialogAction, AlertDialogCancel, AlertDialogContent, AlertDialogDescription, AlertDialogFooter, AlertDialogHeader, AlertDialogTitle } from '@/client/components/ui/alert-dialog';
- import { AreaForm } from '../components/AreaForm';
- import { AreaTree } from '../components/AreaTree';
- import type { CreateAreaInput, UpdateAreaInput } from '@d8d/server/modules/areas/area.schema';
- import { Tabs, TabsContent, TabsList, TabsTrigger } from '@/client/components/ui/tabs';
- // 类型提取规范
- type AreaResponse = InferResponseType<typeof areaClient.$get, 200>['data'][0];
- type SearchAreaRequest = InferRequestType<typeof areaClient.$get>['query'];
- type CreateAreaRequest = InferRequestType<typeof areaClient.$post>['json'];
- type UpdateAreaRequest = InferRequestType<typeof areaClient[':id']['$put']>['json'];
- // 树形节点类型
- interface AreaNode {
- id: number;
- name: string;
- code: string;
- level: number;
- parentId: number | null;
- isDisabled: number;
- children?: AreaNode[];
- }
- // 统一操作处理函数
- const handleOperation = async (operation: () => Promise<any>) => {
- try {
- await operation();
- // toast.success('操作成功');
- console.log('操作成功');
- } catch (error) {
- console.error('操作失败:', error);
- // toast.error('操作失败,请重试');
- throw error;
- }
- };
- // 防抖搜索函数
- const debounce = (func: Function, delay: number) => {
- let timeoutId: NodeJS.Timeout;
- return (...args: any[]) => {
- clearTimeout(timeoutId);
- timeoutId = setTimeout(() => func(...args), delay);
- };
- };
- export const AreasPage: React.FC = () => {
- const queryClient = useQueryClient();
- const [page, setPage] = useState(1);
- const [pageSize, setPageSize] = useState(20);
- const [keyword, setKeyword] = useState('');
- const [level, setLevel] = useState<string>('all');
- const [parentId, setParentId] = useState<string>('');
- const [isDisabled, setIsDisabled] = useState<string>('all');
- const [viewMode, setViewMode] = useState<'table' | 'tree'>('table');
- const [expandedNodes, setExpandedNodes] = useState<Set<number>>(new Set());
- const [isCreateDialogOpen, setIsCreateDialogOpen] = useState(false);
- const [isEditDialogOpen, setIsEditDialogOpen] = useState(false);
- const [isDeleteDialogOpen, setIsDeleteDialogOpen] = useState(false);
- const [isStatusDialogOpen, setIsStatusDialogOpen] = useState(false);
- const [selectedArea, setSelectedArea] = useState<AreaResponse | null>(null);
- // 构建搜索参数
- const filters: Record<string, any> = {};
- if (level && level !== 'all') filters.level = Number(level);
- if (parentId) filters.parentId = Number(parentId);
- if (isDisabled && isDisabled !== 'all') filters.isDisabled = Number(isDisabled);
- const searchParams:SearchAreaRequest = {
- page,
- pageSize,
- keyword: keyword || undefined,
- filters: Object.keys(filters).length > 0 ? JSON.stringify(filters) : undefined,
- sortBy: 'id',
- sortOrder: 'ASC'
- };
- // 查询省市区列表
- const { data, isLoading } = useQuery({
- queryKey: ['areas', searchParams],
- queryFn: async () => {
- const res = await areaClient.$get({
- query: searchParams
- });
- if (res.status !== 200) throw new Error('获取省市区列表失败');
- return await res.json();
- },
- staleTime: 5 * 60 * 1000,
- gcTime: 10 * 60 * 1000,
- });
- // 查询树形结构数据
- const { data: treeData, isLoading: isTreeLoading } = useQuery({
- queryKey: ['areas-tree'],
- queryFn: async () => {
- const res = await areaClient.tree.$get();
- if (res.status !== 200) throw new Error('获取省市区树形数据失败');
- const response = await res.json();
- return response.data;
- },
- staleTime: 5 * 60 * 1000,
- gcTime: 10 * 60 * 1000,
- enabled: viewMode === 'tree'
- });
- // 创建省市区
- const createMutation = useMutation({
- mutationFn: async (data: CreateAreaRequest) => {
- await handleOperation(async () => {
- const res = await areaClient.$post({ json: data });
- if (res.status !== 201) throw new Error('创建省市区失败');
- });
- },
- onSuccess: () => {
- queryClient.invalidateQueries({ queryKey: ['areas'] });
- setIsCreateDialogOpen(false);
- },
- });
- // 更新省市区
- const updateMutation = useMutation({
- mutationFn: async ({ id, data }: { id: number; data: UpdateAreaRequest }) => {
- await handleOperation(async () => {
- const res = await areaClient[':id'].$put({
- param: { id },
- json: data
- });
- if (res.status !== 200) throw new Error('更新省市区失败');
- });
- },
- onSuccess: () => {
- queryClient.invalidateQueries({ queryKey: ['areas'] });
- setIsEditDialogOpen(false);
- setSelectedArea(null);
- },
- });
- // 删除省市区
- const deleteMutation = useMutation({
- mutationFn: async (id: number) => {
- await handleOperation(async () => {
- const res = await areaClient[':id'].$delete({
- param: { id }
- });
- if (res.status !== 204) throw new Error('删除省市区失败');
- });
- },
- onSuccess: () => {
- queryClient.invalidateQueries({ queryKey: ['areas'] });
- setIsDeleteDialogOpen(false);
- setSelectedArea(null);
- },
- });
- // 启用/禁用省市区
- const toggleStatusMutation = useMutation({
- mutationFn: async ({ id, isDisabled }: { id: number; isDisabled: number }) => {
- await handleOperation(async () => {
- const res = await areaClient[':id'].$put({
- param: { id },
- json: { isDisabled }
- });
- if (res.status !== 200) throw new Error('更新省市区状态失败');
- });
- },
- onSuccess: () => {
- queryClient.invalidateQueries({ queryKey: ['areas'] });
- setIsStatusDialogOpen(false);
- setSelectedArea(null);
- },
- });
- // 防抖搜索
- const debouncedSearch = useCallback(
- debounce((keyword: string) => {
- setKeyword(keyword);
- setPage(1);
- }, 300),
- []
- );
- // 处理筛选变化
- const handleFilterChange = (filterType: string, value: string) => {
- switch (filterType) {
- case 'level':
- setLevel(value);
- break;
- case 'parentId':
- setParentId(value);
- break;
- case 'isDisabled':
- setIsDisabled(value);
- break;
- }
- setPage(1);
- };
- // 处理创建省市区
- const handleCreateArea = async (data: CreateAreaInput | UpdateAreaInput) => {
- await createMutation.mutateAsync(data as CreateAreaInput);
- };
- // 处理更新省市区
- const handleUpdateArea = async (data: UpdateAreaInput) => {
- if (!selectedArea) return;
- await updateMutation.mutateAsync({ id: selectedArea.id, data });
- };
- // 处理删除省市区
- const handleDeleteArea = async () => {
- if (!selectedArea) return;
- await deleteMutation.mutateAsync(selectedArea.id);
- };
- // 处理启用/禁用省市区
- const handleToggleStatus = async (isDisabled: number) => {
- if (!selectedArea) return;
- await toggleStatusMutation.mutateAsync({ id: selectedArea.id, isDisabled });
- };
- // 打开编辑对话框
- const handleEdit = (area: AreaNode) => {
- // 将 AreaNode 转换为 AreaResponse
- const areaResponse: AreaResponse = {
- ...area,
- isDeleted: 0,
- createdAt: new Date().toISOString(),
- updatedAt: new Date().toISOString(),
- createdBy: null,
- updatedBy: null
- };
- setSelectedArea(areaResponse);
- setIsEditDialogOpen(true);
- };
- // 打开删除对话框
- const handleDelete = (area: AreaNode) => {
- // 将 AreaNode 转换为 AreaResponse
- const areaResponse: AreaResponse = {
- ...area,
- isDeleted: 0,
- createdAt: new Date().toISOString(),
- updatedAt: new Date().toISOString(),
- createdBy: null,
- updatedBy: null
- };
- setSelectedArea(areaResponse);
- setIsDeleteDialogOpen(true);
- };
- // 打开状态切换对话框
- const handleToggleStatusDialog = (area: AreaNode) => {
- // 将 AreaNode 转换为 AreaResponse
- const areaResponse: AreaResponse = {
- ...area,
- isDeleted: 0,
- createdAt: new Date().toISOString(),
- updatedAt: new Date().toISOString(),
- createdBy: null,
- updatedBy: null
- };
- setSelectedArea(areaResponse);
- setIsStatusDialogOpen(true);
- };
- // 切换节点展开状态
- const handleToggleNode = (nodeId: number) => {
- setExpandedNodes(prev => {
- const newSet = new Set(prev);
- if (newSet.has(nodeId)) {
- newSet.delete(nodeId);
- } else {
- newSet.add(nodeId);
- }
- return newSet;
- });
- };
- // 重置筛选
- const handleResetFilters = () => {
- setKeyword('');
- setLevel('all');
- setParentId('');
- setIsDisabled('all');
- setPage(1);
- };
- // 获取层级显示名称
- const getLevelName = (level: number) => {
- switch (level) {
- case 1: return '省/直辖市';
- case 2: return '市';
- case 3: return '区/县';
- default: return '未知';
- }
- };
- return (
- <div className="space-y-6">
- <div className="flex items-center justify-between">
- <div>
- <h1 className="text-3xl font-bold tracking-tight">省市区管理</h1>
- <p className="text-muted-foreground">
- 管理省市区三级联动数据
- </p>
- </div>
- <div className="flex gap-2">
- <Button
- variant={viewMode === 'table' ? 'default' : 'outline'}
- size="sm"
- onClick={() => setViewMode('table')}
- >
- <TableIcon className="mr-2 h-4 w-4" />
- 表格视图
- </Button>
- <Button
- variant={viewMode === 'tree' ? 'default' : 'outline'}
- size="sm"
- onClick={() => setViewMode('tree')}
- >
- <ListTree className="mr-2 h-4 w-4" />
- 树形视图
- </Button>
- <Button onClick={() => setIsCreateDialogOpen(true)}>
- <Plus className="mr-2 h-4 w-4" />
- 新增省市区
- </Button>
- </div>
- </div>
- <Tabs value={viewMode} onValueChange={(value) => setViewMode(value as 'table' | 'tree')}>
- <TabsList className="mb-4">
- <TabsTrigger value="table">
- <TableIcon className="mr-2 h-4 w-4" />
- 表格视图
- </TabsTrigger>
- <TabsTrigger value="tree">
- <ListTree className="mr-2 h-4 w-4" />
- 树形视图
- </TabsTrigger>
- </TabsList>
- {/* 表格视图 */}
- <TabsContent value="table">
- <Card>
- <CardHeader>
- <CardTitle>省市区列表</CardTitle>
- <CardDescription>
- 查看和管理所有省市区数据
- </CardDescription>
- </CardHeader>
- <CardContent>
- {/* 搜索和筛选区域 */}
- <div className="flex flex-col gap-4 mb-6">
- <div className="flex gap-4">
- <div className="flex-1">
- <div className="relative">
- <Search className="absolute left-2 top-2.5 h-4 w-4 text-muted-foreground" />
- <Input
- placeholder="搜索省市区名称或代码..."
- className="pl-8"
- value={keyword}
- onChange={(e) => {
- setKeyword(e.target.value);
- debouncedSearch(e.target.value);
- }}
- />
- </div>
- </div>
- <Button
- variant="outline"
- onClick={handleResetFilters}
- disabled={!keyword && level === 'all' && isDisabled === 'all'}
- >
- <RotateCcw className="mr-2 h-4 w-4" />
- 重置
- </Button>
- </div>
- <div className="flex gap-4">
- <Select value={level} onValueChange={(value) => handleFilterChange('level', value)}>
- <SelectTrigger className="w-[180px]">
- <SelectValue placeholder="选择层级" />
- </SelectTrigger>
- <SelectContent>
- <SelectItem value="all">全部层级</SelectItem>
- <SelectItem value="1">省/直辖市</SelectItem>
- <SelectItem value="2">市</SelectItem>
- <SelectItem value="3">区/县</SelectItem>
- </SelectContent>
- </Select>
- <Select value={isDisabled} onValueChange={(value) => handleFilterChange('isDisabled', value)}>
- <SelectTrigger className="w-[180px]">
- <SelectValue placeholder="选择状态" />
- </SelectTrigger>
- <SelectContent>
- <SelectItem value="all">全部状态</SelectItem>
- <SelectItem value="0">启用</SelectItem>
- <SelectItem value="1">禁用</SelectItem>
- </SelectContent>
- </Select>
- </div>
- </div>
- {/* 数据表格 */}
- <div className="rounded-md border">
- <Table>
- <TableHeader>
- <TableRow>
- <TableHead>ID</TableHead>
- <TableHead>名称</TableHead>
- <TableHead>代码</TableHead>
- <TableHead>层级</TableHead>
- <TableHead>父级ID</TableHead>
- <TableHead>状态</TableHead>
- <TableHead>创建时间</TableHead>
- <TableHead className="text-right">操作</TableHead>
- </TableRow>
- </TableHeader>
- <TableBody>
- {isLoading ? (
- <TableRow>
- <TableCell colSpan={8} className="text-center py-8">
- 加载中...
- </TableCell>
- </TableRow>
- ) : !data?.data || data.data.length === 0 ? (
- <TableRow>
- <TableCell colSpan={8} className="text-center py-8">
- 暂无数据
- </TableCell>
- </TableRow>
- ) : (
- data.data.map((area) => (
- <TableRow key={area.id}>
- <TableCell className="font-medium">{area.id}</TableCell>
- <TableCell>{area.name}</TableCell>
- <TableCell>{area.code}</TableCell>
- <TableCell>
- <Badge variant="outline">
- {getLevelName(area.level)}
- </Badge>
- </TableCell>
- <TableCell>{area.parentId || '-'}</TableCell>
- <TableCell>
- <Badge variant={area.isDisabled === 0 ? 'default' : 'secondary'}>
- {area.isDisabled === 0 ? '启用' : '禁用'}
- </Badge>
- </TableCell>
- <TableCell>
- {new Date(area.createdAt).toLocaleDateString('zh-CN')}
- </TableCell>
- <TableCell className="text-right">
- <div className="flex justify-end gap-2">
- <Button
- variant="outline"
- size="sm"
- onClick={() => handleEdit(area)}
- >
- <Edit className="h-4 w-4" />
- </Button>
- <Button
- variant="outline"
- size="sm"
- onClick={() => handleToggleStatusDialog(area)}
- >
- <Power className="h-4 w-4" />
- </Button>
- <Button
- variant="outline"
- size="sm"
- onClick={() => handleDelete(area)}
- >
- <Trash2 className="h-4 w-4" />
- </Button>
- </div>
- </TableCell>
- </TableRow>
- ))
- )}
- </TableBody>
- </Table>
- </div>
- {/* 分页 */}
- {data && (
- <div className="mt-4">
- <DataTablePagination
- currentPage={page}
- pageSize={pageSize}
- totalCount={data.pagination.total}
- onPageChange={(newPage, newPageSize) => {
- setPage(newPage);
- setPageSize(newPageSize);
- }}
- />
- </div>
- )}
- </CardContent>
- </Card>
- </TabsContent>
- {/* 树形视图 */}
- <TabsContent value="tree">
- <Card>
- <CardHeader>
- <CardTitle>省市区树形结构</CardTitle>
- <CardDescription>
- 以树形结构查看和管理省市区层级关系
- </CardDescription>
- </CardHeader>
- <CardContent>
- {isTreeLoading ? (
- <div className="text-center py-8">
- 加载中...
- </div>
- ) : !treeData || treeData.length === 0 ? (
- <div className="text-center py-8">
- 暂无数据
- </div>
- ) : (
- <AreaTree
- areas={treeData}
- expandedNodes={expandedNodes}
- onToggleNode={handleToggleNode}
- onEdit={handleEdit}
- onDelete={handleDelete}
- onToggleStatus={handleToggleStatusDialog}
- />
- )}
- </CardContent>
- </Card>
- </TabsContent>
- </Tabs>
- {/* 创建省市区对话框 */}
- <Dialog open={isCreateDialogOpen} onOpenChange={setIsCreateDialogOpen}>
- <DialogContent className="max-w-2xl">
- <DialogHeader>
- <DialogTitle>新增省市区</DialogTitle>
- <DialogDescription>
- 填写省市区信息
- </DialogDescription>
- </DialogHeader>
- <AreaForm
- onSubmit={handleCreateArea}
- isLoading={createMutation.isPending}
- onCancel={() => setIsCreateDialogOpen(false)}
- />
- </DialogContent>
- </Dialog>
- {/* 编辑省市区对话框 */}
- <Dialog open={isEditDialogOpen} onOpenChange={setIsEditDialogOpen}>
- <DialogContent className="max-w-2xl">
- <DialogHeader>
- <DialogTitle>编辑省市区</DialogTitle>
- <DialogDescription>
- 修改省市区信息
- </DialogDescription>
- </DialogHeader>
- {selectedArea && (
- <AreaForm
- area={{
- id: selectedArea.id,
- parentId: selectedArea.parentId || undefined,
- name: selectedArea.name,
- level: selectedArea.level,
- code: selectedArea.code,
- isDisabled: selectedArea.isDisabled
- }}
- onSubmit={handleUpdateArea}
- isLoading={updateMutation.isPending}
- onCancel={() => {
- setIsEditDialogOpen(false);
- setSelectedArea(null);
- }}
- />
- )}
- </DialogContent>
- </Dialog>
- {/* 删除确认对话框 */}
- <AlertDialog open={isDeleteDialogOpen} onOpenChange={setIsDeleteDialogOpen}>
- <AlertDialogContent>
- <AlertDialogHeader>
- <AlertDialogTitle>确认删除</AlertDialogTitle>
- <AlertDialogDescription>
- 确定要删除省市区 "{selectedArea?.name}" 吗?此操作不可恢复。
- </AlertDialogDescription>
- </AlertDialogHeader>
- <AlertDialogFooter>
- <AlertDialogCancel>取消</AlertDialogCancel>
- <AlertDialogAction
- onClick={handleDeleteArea}
- disabled={deleteMutation.isPending}
- >
- {deleteMutation.isPending ? '删除中...' : '确认删除'}
- </AlertDialogAction>
- </AlertDialogFooter>
- </AlertDialogContent>
- </AlertDialog>
- {/* 状态切换确认对话框 */}
- <AlertDialog open={isStatusDialogOpen} onOpenChange={setIsStatusDialogOpen}>
- <AlertDialogContent>
- <AlertDialogHeader>
- <AlertDialogTitle>
- {selectedArea?.isDisabled === 0 ? '禁用' : '启用'}确认
- </AlertDialogTitle>
- <AlertDialogDescription>
- 确定要{selectedArea?.isDisabled === 0 ? '禁用' : '启用'}省市区 "{selectedArea?.name}" 吗?
- </AlertDialogDescription>
- </AlertDialogHeader>
- <AlertDialogFooter>
- <AlertDialogCancel>取消</AlertDialogCancel>
- <AlertDialogAction
- onClick={() => handleToggleStatus(selectedArea?.isDisabled === 0 ? 1 : 0)}
- disabled={toggleStatusMutation.isPending}
- >
- {toggleStatusMutation.isPending ? '处理中...' : '确认'}
- </AlertDialogAction>
- </AlertDialogFooter>
- </AlertDialogContent>
- </AlertDialog>
- </div>
- );
- };
|