테이블 및 컬럼 생성기능 추가
This commit is contained in:
364
frontend/components/admin/CreateTableModal.tsx
Normal file
364
frontend/components/admin/CreateTableModal.tsx
Normal file
@@ -0,0 +1,364 @@
|
||||
/**
|
||||
* 테이블 생성 모달 컴포넌트
|
||||
* 새로운 테이블을 생성하기 위한 모달
|
||||
*/
|
||||
|
||||
"use client";
|
||||
|
||||
import { useState, useEffect } from "react";
|
||||
import {
|
||||
Dialog,
|
||||
DialogContent,
|
||||
DialogHeader,
|
||||
DialogTitle,
|
||||
DialogDescription,
|
||||
DialogFooter,
|
||||
} from "@/components/ui/dialog";
|
||||
import { Button } from "@/components/ui/button";
|
||||
import { Input } from "@/components/ui/input";
|
||||
import { Label } from "@/components/ui/label";
|
||||
import { Textarea } from "@/components/ui/textarea";
|
||||
import { Alert, AlertDescription, AlertTitle } from "@/components/ui/alert";
|
||||
import { Loader2, Info, AlertCircle, CheckCircle2, Plus } from "lucide-react";
|
||||
import { toast } from "sonner";
|
||||
import { ColumnDefinitionTable } from "./ColumnDefinitionTable";
|
||||
import { ddlApi } from "../../lib/api/ddl";
|
||||
import {
|
||||
CreateTableModalProps,
|
||||
CreateColumnDefinition,
|
||||
VALIDATION_RULES,
|
||||
SYSTEM_TABLES,
|
||||
RESERVED_WORDS,
|
||||
} from "../../types/ddl";
|
||||
|
||||
export function CreateTableModal({ isOpen, onClose, onSuccess }: CreateTableModalProps) {
|
||||
const [tableName, setTableName] = useState("");
|
||||
const [description, setDescription] = useState("");
|
||||
const [columns, setColumns] = useState<CreateColumnDefinition[]>([
|
||||
{
|
||||
name: "",
|
||||
label: "",
|
||||
webType: "text",
|
||||
nullable: true,
|
||||
order: 1,
|
||||
},
|
||||
]);
|
||||
const [loading, setLoading] = useState(false);
|
||||
const [validating, setValidating] = useState(false);
|
||||
const [tableNameError, setTableNameError] = useState("");
|
||||
const [validationResult, setValidationResult] = useState<any>(null);
|
||||
|
||||
/**
|
||||
* 모달 리셋
|
||||
*/
|
||||
const resetModal = () => {
|
||||
setTableName("");
|
||||
setDescription("");
|
||||
setColumns([
|
||||
{
|
||||
name: "",
|
||||
label: "",
|
||||
webType: "text",
|
||||
nullable: true,
|
||||
order: 1,
|
||||
},
|
||||
]);
|
||||
setTableNameError("");
|
||||
setValidationResult(null);
|
||||
};
|
||||
|
||||
/**
|
||||
* 모달 열림/닫힘 시 리셋
|
||||
*/
|
||||
useEffect(() => {
|
||||
if (isOpen) {
|
||||
resetModal();
|
||||
}
|
||||
}, [isOpen]);
|
||||
|
||||
/**
|
||||
* 테이블명 검증
|
||||
*/
|
||||
const validateTableName = (name: string): string => {
|
||||
if (!name) {
|
||||
return "테이블명은 필수입니다.";
|
||||
}
|
||||
|
||||
if (!VALIDATION_RULES.tableName.pattern.test(name)) {
|
||||
return VALIDATION_RULES.tableName.errorMessage;
|
||||
}
|
||||
|
||||
if (name.length < VALIDATION_RULES.tableName.minLength || name.length > VALIDATION_RULES.tableName.maxLength) {
|
||||
return `테이블명은 ${VALIDATION_RULES.tableName.minLength}-${VALIDATION_RULES.tableName.maxLength}자여야 합니다.`;
|
||||
}
|
||||
|
||||
if (SYSTEM_TABLES.includes(name.toLowerCase() as any)) {
|
||||
return "시스템 테이블명으로 사용할 수 없습니다.";
|
||||
}
|
||||
|
||||
if (RESERVED_WORDS.includes(name.toLowerCase() as any)) {
|
||||
return "SQL 예약어는 테이블명으로 사용할 수 없습니다.";
|
||||
}
|
||||
|
||||
if (name.startsWith("_") || name.endsWith("_")) {
|
||||
return "테이블명은 언더스코어로 시작하거나 끝날 수 없습니다.";
|
||||
}
|
||||
|
||||
if (name.includes("__")) {
|
||||
return "테이블명에 연속된 언더스코어는 사용할 수 없습니다.";
|
||||
}
|
||||
|
||||
return "";
|
||||
};
|
||||
|
||||
/**
|
||||
* 테이블명 변경 처리
|
||||
*/
|
||||
const handleTableNameChange = (value: string) => {
|
||||
setTableName(value);
|
||||
const error = validateTableName(value);
|
||||
setTableNameError(error);
|
||||
|
||||
// 검증 결과 초기화
|
||||
if (validationResult) {
|
||||
setValidationResult(null);
|
||||
}
|
||||
};
|
||||
|
||||
/**
|
||||
* 컬럼 추가
|
||||
*/
|
||||
const addColumn = () => {
|
||||
setColumns([
|
||||
...columns,
|
||||
{
|
||||
name: "",
|
||||
label: "",
|
||||
webType: "text",
|
||||
nullable: true,
|
||||
order: columns.length + 1,
|
||||
},
|
||||
]);
|
||||
};
|
||||
|
||||
/**
|
||||
* 테이블 생성 사전 검증
|
||||
*/
|
||||
const validateTable = async () => {
|
||||
if (tableNameError || !tableName) {
|
||||
toast.error("테이블명을 올바르게 입력해주세요.");
|
||||
return;
|
||||
}
|
||||
|
||||
const validColumns = columns.filter((col) => col.name && col.webType);
|
||||
if (validColumns.length === 0) {
|
||||
toast.error("최소 1개의 유효한 컬럼이 필요합니다.");
|
||||
return;
|
||||
}
|
||||
|
||||
setValidating(true);
|
||||
try {
|
||||
const result = await ddlApi.validateTableCreation({
|
||||
tableName,
|
||||
columns: validColumns,
|
||||
description,
|
||||
});
|
||||
|
||||
setValidationResult(result);
|
||||
|
||||
if (result.isValid) {
|
||||
toast.success("검증 완료! 테이블을 생성할 수 있습니다.");
|
||||
} else {
|
||||
toast.error("검증 실패. 오류를 확인해주세요.");
|
||||
}
|
||||
} catch (error: any) {
|
||||
console.error("테이블 검증 실패:", error);
|
||||
toast.error("검증 중 오류가 발생했습니다.");
|
||||
} finally {
|
||||
setValidating(false);
|
||||
}
|
||||
};
|
||||
|
||||
/**
|
||||
* 테이블 생성 실행
|
||||
*/
|
||||
const handleCreateTable = async () => {
|
||||
if (tableNameError || !tableName) {
|
||||
toast.error("테이블명을 올바르게 입력해주세요.");
|
||||
return;
|
||||
}
|
||||
|
||||
const validColumns = columns.filter((col) => col.name && col.webType);
|
||||
if (validColumns.length === 0) {
|
||||
toast.error("최소 1개의 유효한 컬럼이 필요합니다.");
|
||||
return;
|
||||
}
|
||||
|
||||
setLoading(true);
|
||||
try {
|
||||
const result = await ddlApi.createTable({
|
||||
tableName,
|
||||
columns: validColumns,
|
||||
description,
|
||||
});
|
||||
|
||||
if (result.success) {
|
||||
toast.success(result.message);
|
||||
onSuccess(result);
|
||||
onClose();
|
||||
} else {
|
||||
toast.error(result.error?.details || result.message);
|
||||
}
|
||||
} catch (error: any) {
|
||||
console.error("테이블 생성 실패:", error);
|
||||
toast.error(error.response?.data?.error?.details || "테이블 생성에 실패했습니다.");
|
||||
} finally {
|
||||
setLoading(false);
|
||||
}
|
||||
};
|
||||
|
||||
/**
|
||||
* 폼 유효성 확인
|
||||
*/
|
||||
const isFormValid = !tableNameError && tableName && columns.some((col) => col.name && col.webType);
|
||||
|
||||
return (
|
||||
<Dialog open={isOpen} onOpenChange={onClose}>
|
||||
<DialogContent className="max-h-[90vh] max-w-6xl overflow-y-auto">
|
||||
<DialogHeader>
|
||||
<DialogTitle className="flex items-center gap-2">
|
||||
<Plus className="h-5 w-5" />새 테이블 생성
|
||||
</DialogTitle>
|
||||
<DialogDescription>
|
||||
최고 관리자만 새로운 테이블을 생성할 수 있습니다. 테이블명과 컬럼 정의를 입력하고 검증 후 생성하세요.
|
||||
</DialogDescription>
|
||||
</DialogHeader>
|
||||
|
||||
<div className="space-y-6">
|
||||
{/* 테이블 기본 정보 */}
|
||||
<div className="grid grid-cols-1 gap-4 md:grid-cols-2">
|
||||
<div className="space-y-2">
|
||||
<Label htmlFor="tableName">
|
||||
테이블명 <span className="text-red-500">*</span>
|
||||
</Label>
|
||||
<Input
|
||||
id="tableName"
|
||||
value={tableName}
|
||||
onChange={(e) => handleTableNameChange(e.target.value)}
|
||||
placeholder="예: customer_info"
|
||||
className={tableNameError ? "border-red-300" : ""}
|
||||
/>
|
||||
{tableNameError && <p className="text-sm text-red-600">{tableNameError}</p>}
|
||||
<p className="text-muted-foreground text-xs">영문자로 시작, 영문자/숫자/언더스코어만 사용 가능</p>
|
||||
</div>
|
||||
|
||||
<div className="space-y-2">
|
||||
<Label htmlFor="description">설명</Label>
|
||||
<Input
|
||||
id="description"
|
||||
value={description}
|
||||
onChange={(e) => setDescription(e.target.value)}
|
||||
placeholder="테이블에 대한 설명"
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
{/* 컬럼 정의 */}
|
||||
<div className="space-y-3">
|
||||
<div className="flex items-center justify-between">
|
||||
<Label>
|
||||
컬럼 정의 <span className="text-red-500">*</span>
|
||||
</Label>
|
||||
<Button type="button" variant="outline" size="sm" onClick={addColumn} disabled={loading}>
|
||||
<Plus className="mr-1 h-4 w-4" />
|
||||
컬럼 추가
|
||||
</Button>
|
||||
</div>
|
||||
|
||||
<ColumnDefinitionTable columns={columns} onChange={setColumns} disabled={loading} />
|
||||
</div>
|
||||
|
||||
{/* 자동 추가 컬럼 안내 */}
|
||||
<Alert>
|
||||
<Info className="h-4 w-4" />
|
||||
<AlertTitle>자동 추가 컬럼</AlertTitle>
|
||||
<AlertDescription>
|
||||
다음 컬럼들이 자동으로 추가됩니다:
|
||||
<code className="bg-muted mx-1 rounded px-1 py-0.5 text-sm">id</code>(기본키),
|
||||
<code className="bg-muted mx-1 rounded px-1 py-0.5 text-sm">created_date</code>,
|
||||
<code className="bg-muted mx-1 rounded px-1 py-0.5 text-sm">updated_date</code>,
|
||||
<code className="bg-muted mx-1 rounded px-1 py-0.5 text-sm">company_code</code>
|
||||
</AlertDescription>
|
||||
</Alert>
|
||||
|
||||
{/* 검증 결과 */}
|
||||
{validationResult && (
|
||||
<Alert variant={validationResult.isValid ? "default" : "destructive"}>
|
||||
{validationResult.isValid ? <CheckCircle2 className="h-4 w-4" /> : <AlertCircle className="h-4 w-4" />}
|
||||
<AlertTitle>{validationResult.isValid ? "검증 성공" : "검증 실패"}</AlertTitle>
|
||||
<AlertDescription>
|
||||
<div>{validationResult.summary}</div>
|
||||
{validationResult.errors && validationResult.errors.length > 0 && (
|
||||
<div className="mt-2 space-y-1">
|
||||
<div className="font-medium">오류:</div>
|
||||
<ul className="list-inside list-disc space-y-1">
|
||||
{validationResult.errors.map((error: string, index: number) => (
|
||||
<li key={index} className="text-sm">
|
||||
{error}
|
||||
</li>
|
||||
))}
|
||||
</ul>
|
||||
</div>
|
||||
)}
|
||||
{validationResult.warnings && validationResult.warnings.length > 0 && (
|
||||
<div className="mt-2 space-y-1">
|
||||
<div className="font-medium">경고:</div>
|
||||
<ul className="list-inside list-disc space-y-1">
|
||||
{validationResult.warnings.map((warning: string, index: number) => (
|
||||
<li key={index} className="text-sm text-orange-600">
|
||||
{warning}
|
||||
</li>
|
||||
))}
|
||||
</ul>
|
||||
</div>
|
||||
)}
|
||||
</AlertDescription>
|
||||
</Alert>
|
||||
)}
|
||||
</div>
|
||||
|
||||
<DialogFooter className="gap-2">
|
||||
<Button variant="outline" onClick={onClose} disabled={loading}>
|
||||
취소
|
||||
</Button>
|
||||
|
||||
<Button variant="secondary" onClick={validateTable} disabled={!isFormValid || validating || loading}>
|
||||
{validating ? (
|
||||
<>
|
||||
<Loader2 className="mr-2 h-4 w-4 animate-spin" />
|
||||
검증 중...
|
||||
</>
|
||||
) : (
|
||||
"검증하기"
|
||||
)}
|
||||
</Button>
|
||||
|
||||
<Button
|
||||
onClick={handleCreateTable}
|
||||
disabled={!isFormValid || loading || (validationResult && !validationResult.isValid)}
|
||||
className="bg-green-600 hover:bg-green-700"
|
||||
>
|
||||
{loading ? (
|
||||
<>
|
||||
<Loader2 className="mr-2 h-4 w-4 animate-spin" />
|
||||
생성 중...
|
||||
</>
|
||||
) : (
|
||||
"테이블 생성"
|
||||
)}
|
||||
</Button>
|
||||
</DialogFooter>
|
||||
</DialogContent>
|
||||
</Dialog>
|
||||
);
|
||||
}
|
||||
Reference in New Issue
Block a user