ERP-node/frontend/app/(main)/admin/templates/page.tsx

396 lines
16 KiB
TypeScript
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

"use client";
import { useState, useMemo } from "react";
import { Card, CardContent, CardHeader, CardTitle } from "@/components/ui/card";
import { Input } from "@/components/ui/input";
import { Button } from "@/components/ui/button";
import { Table, TableBody, TableCell, TableHead, TableHeader, TableRow } from "@/components/ui/table";
import { Badge } from "@/components/ui/badge";
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select";
import {
AlertDialog,
AlertDialogAction,
AlertDialogCancel,
AlertDialogContent,
AlertDialogDescription,
AlertDialogFooter,
AlertDialogHeader,
AlertDialogTitle,
AlertDialogTrigger,
} from "@/components/ui/alert-dialog";
import { Search, Plus, Edit2, Trash2, Eye, Copy, Download, Upload, ArrowUpDown, Filter, RefreshCw } from "lucide-react";
import { LoadingSpinner } from "@/components/common/LoadingSpinner";
import { toast } from "sonner";
import { useTemplates, TemplateStandard } from "@/hooks/admin/useTemplates";
import Link from "next/link";
export default function TemplatesManagePage() {
const [searchTerm, setSearchTerm] = useState("");
const [categoryFilter, setCategoryFilter] = useState<string>("all");
const [activeFilter, setActiveFilter] = useState<string>("Y");
const [sortField, setSortField] = useState<string>("sort_order");
const [sortDirection, setSortDirection] = useState<"asc" | "desc">("asc");
// 템플릿 데이터 조회
const { templates, categories, isLoading, error, deleteTemplate, isDeleting, deleteError, refetch, exportTemplate } =
useTemplates({
active: activeFilter === "all" ? undefined : activeFilter,
search: searchTerm || undefined,
category: categoryFilter === "all" ? undefined : categoryFilter,
});
// 필터링 및 정렬된 데이터
const filteredAndSortedTemplates = useMemo(() => {
let filtered = [...templates];
// 정렬
filtered.sort((a, b) => {
let aValue: any = a[sortField as keyof typeof a];
let bValue: any = b[sortField as keyof typeof b];
// 숫자 필드 처리
if (sortField === "sort_order") {
aValue = aValue || 0;
bValue = bValue || 0;
}
// 문자열 필드 처리
if (typeof aValue === "string") {
aValue = aValue.toLowerCase();
}
if (typeof bValue === "string") {
bValue = bValue.toLowerCase();
}
if (aValue < bValue) return sortDirection === "asc" ? -1 : 1;
if (aValue > bValue) return sortDirection === "asc" ? 1 : -1;
return 0;
});
return filtered;
}, [templates, sortField, sortDirection]);
// 정렬 변경 핸들러
const handleSort = (field: string) => {
if (sortField === field) {
setSortDirection(sortDirection === "asc" ? "desc" : "asc");
} else {
setSortField(field);
setSortDirection("asc");
}
};
// 삭제 핸들러
const handleDelete = async (templateCode: string, templateName: string) => {
try {
await deleteTemplate(templateCode);
toast.success(`템플릿 '${templateName}'이 삭제되었습니다.`);
} catch (error) {
toast.error(`템플릿 삭제 중 오류가 발생했습니다: ${deleteError?.message || error}`);
}
};
// 내보내기 핸들러
const handleExport = async (templateCode: string, templateName: string) => {
try {
const templateData = await exportTemplate(templateCode);
// JSON 파일로 다운로드
const blob = new Blob([JSON.stringify(templateData, null, 2)], {
type: "application/json",
});
const url = URL.createObjectURL(blob);
const a = document.createElement("a");
a.href = url;
a.download = `template-${templateCode}.json`;
document.body.appendChild(a);
a.click();
document.body.removeChild(a);
URL.revokeObjectURL(url);
toast.success(`템플릿 '${templateName}'이 내보내기되었습니다.`);
} catch (error: any) {
toast.error(`템플릿 내보내기 중 오류가 발생했습니다: ${error.message}`);
}
};
// 아이콘 렌더링 함수
const renderIcon = (iconName?: string) => {
if (!iconName) return null;
// 간단한 아이콘 매핑 (실제로는 더 복잡한 시스템 필요)
const iconMap: Record<string, JSX.Element> = {
table: <div className="h-4 w-4 border border-gray-400" />,
"mouse-pointer": <div className="h-4 w-4 rounded bg-blue-500" />,
upload: <div className="h-4 w-4 border-2 border-dashed border-gray-400" />,
};
return iconMap[iconName] || <div className="h-4 w-4 rounded bg-gray-300" />;
};
if (error) {
return (
<div className="container mx-auto p-6">
<Card>
<CardContent className="flex flex-col items-center justify-center py-8">
<p className="mb-4 text-red-600">릿 .</p>
<Button onClick={() => refetch()} variant="outline">
<RefreshCw className="mr-2 h-4 w-4" />
</Button>
</CardContent>
</Card>
</div>
);
}
return (
<div className="container mx-auto space-y-6 p-6">
{/* 헤더 */}
<div className="flex items-center justify-between">
<div>
<h1 className="text-3xl font-bold">릿 </h1>
<p className="text-muted-foreground"> 릿 .</p>
</div>
<div className="flex space-x-2">
<Button asChild>
<Link href="/admin/templates/new">
<Plus className="mr-2 h-4 w-4" /> 릿
</Link>
</Button>
</div>
</div>
{/* 필터 및 검색 */}
<Card>
<CardHeader>
<CardTitle className="flex items-center">
<Filter className="mr-2 h-5 w-5" />
</CardTitle>
</CardHeader>
<CardContent className="space-y-4">
<div className="grid grid-cols-1 gap-4 md:grid-cols-2 lg:grid-cols-4">
{/* 검색 */}
<div className="space-y-2">
<label className="text-sm font-medium"></label>
<div className="relative">
<Search className="absolute top-1/2 left-3 h-4 w-4 -translate-y-1/2 text-gray-400" />
<Input
placeholder="템플릿명, 설명 검색..."
value={searchTerm}
onChange={(e) => setSearchTerm(e.target.value)}
className="pl-10"
/>
</div>
</div>
{/* 카테고리 필터 */}
<div className="space-y-2">
<label className="text-sm font-medium"></label>
<Select value={categoryFilter} onValueChange={setCategoryFilter}>
<SelectTrigger>
<SelectValue />
</SelectTrigger>
<SelectContent>
<SelectItem value="all"></SelectItem>
{categories.map((category) => (
<SelectItem key={category} value={category}>
{category}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
{/* 활성화 상태 필터 */}
<div className="space-y-2">
<label className="text-sm font-medium"> </label>
<Select value={activeFilter} onValueChange={setActiveFilter}>
<SelectTrigger>
<SelectValue />
</SelectTrigger>
<SelectContent>
<SelectItem value="all"></SelectItem>
<SelectItem value="Y"></SelectItem>
<SelectItem value="N"></SelectItem>
</SelectContent>
</Select>
</div>
{/* 새로고침 버튼 */}
<div className="flex items-end">
<Button onClick={() => refetch()} variant="outline" className="w-full">
<RefreshCw className="mr-2 h-4 w-4" />
</Button>
</div>
</div>
</CardContent>
</Card>
{/* 템플릿 목록 테이블 */}
<Card>
<CardHeader>
<CardTitle>릿 ({filteredAndSortedTemplates.length})</CardTitle>
</CardHeader>
<CardContent>
<div className="rounded-md border">
<Table>
<TableHeader>
<TableRow>
<TableHead className="w-[60px]">
<Button
variant="ghost"
size="sm"
onClick={() => handleSort("sort_order")}
className="h-8 p-0 font-medium"
>
<ArrowUpDown className="ml-1 h-3 w-3" />
</Button>
</TableHead>
<TableHead>
<Button
variant="ghost"
size="sm"
onClick={() => handleSort("template_code")}
className="h-8 p-0 font-medium"
>
릿
<ArrowUpDown className="ml-1 h-3 w-3" />
</Button>
</TableHead>
<TableHead>
<Button
variant="ghost"
size="sm"
onClick={() => handleSort("template_name")}
className="h-8 p-0 font-medium"
>
릿
<ArrowUpDown className="ml-1 h-3 w-3" />
</Button>
</TableHead>
<TableHead></TableHead>
<TableHead></TableHead>
<TableHead></TableHead>
<TableHead> </TableHead>
<TableHead> </TableHead>
<TableHead></TableHead>
<TableHead></TableHead>
<TableHead className="w-[200px]"></TableHead>
</TableRow>
</TableHeader>
<TableBody>
{isLoading ? (
<TableRow>
<TableCell colSpan={11} className="py-8 text-center">
<LoadingSpinner />
<span className="ml-2">릿 ...</span>
</TableCell>
</TableRow>
) : filteredAndSortedTemplates.length === 0 ? (
<TableRow>
<TableCell colSpan={11} className="py-8 text-center text-gray-500">
릿 .
</TableCell>
</TableRow>
) : (
filteredAndSortedTemplates.map((template) => (
<TableRow key={template.template_code}>
<TableCell className="font-mono">{template.sort_order || 0}</TableCell>
<TableCell className="font-mono">{template.template_code}</TableCell>
<TableCell className="font-medium">
{template.template_name}
{template.template_name_eng && (
<div className="text-muted-foreground text-xs">{template.template_name_eng}</div>
)}
</TableCell>
<TableCell>
<Badge variant="secondary">{template.category}</Badge>
</TableCell>
<TableCell className="max-w-xs truncate">{template.description || "-"}</TableCell>
<TableCell>
<div className="flex items-center justify-center">{renderIcon(template.icon_name)}</div>
</TableCell>
<TableCell className="font-mono text-xs">
{template.default_size ? `${template.default_size.width}×${template.default_size.height}` : "-"}
</TableCell>
<TableCell>
<Badge variant={template.is_public === "Y" ? "default" : "secondary"}>
{template.is_public === "Y" ? "공개" : "비공개"}
</Badge>
</TableCell>
<TableCell>
<Badge variant={template.is_active === "Y" ? "default" : "secondary"}>
{template.is_active === "Y" ? "활성화" : "비활성화"}
</Badge>
</TableCell>
<TableCell className="text-muted-foreground text-sm">
{template.updated_date ? new Date(template.updated_date).toLocaleDateString("ko-KR") : "-"}
</TableCell>
<TableCell>
<div className="flex space-x-1">
<Button asChild size="sm" variant="ghost">
<Link href={`/admin/templates/${template.template_code}`}>
<Eye className="h-4 w-4" />
</Link>
</Button>
<Button asChild size="sm" variant="ghost">
<Link href={`/admin/templates/${template.template_code}/edit`}>
<Edit2 className="h-4 w-4" />
</Link>
</Button>
<Button
size="sm"
variant="ghost"
onClick={() => handleExport(template.template_code, template.template_name)}
>
<Download className="h-4 w-4" />
</Button>
<Button asChild size="sm" variant="ghost">
<Link href={`/admin/templates/${template.template_code}/duplicate`}>
<Copy className="h-4 w-4" />
</Link>
</Button>
<AlertDialog>
<AlertDialogTrigger asChild>
<Button size="sm" variant="ghost" className="text-red-600 hover:text-red-700">
<Trash2 className="h-4 w-4" />
</Button>
</AlertDialogTrigger>
<AlertDialogContent>
<AlertDialogHeader>
<AlertDialogTitle>릿 </AlertDialogTitle>
<AlertDialogDescription>
릿 &apos;{template.template_name}&apos; ?
<br /> .
</AlertDialogDescription>
</AlertDialogHeader>
<AlertDialogFooter>
<AlertDialogCancel></AlertDialogCancel>
<AlertDialogAction
onClick={() => handleDelete(template.template_code, template.template_name)}
className="bg-red-600 hover:bg-red-700"
disabled={isDeleting}
>
</AlertDialogAction>
</AlertDialogFooter>
</AlertDialogContent>
</AlertDialog>
</div>
</TableCell>
</TableRow>
))
)}
</TableBody>
</Table>
</div>
</CardContent>
</Card>
</div>
);
}