ERP-node/frontend/lib/registry/components/universal-form-modal/UniversalFormModalConfigPan...

714 lines
28 KiB
TypeScript
Raw Normal View History

"use client";
import React, { useState, useEffect, useCallback } from "react";
import { Button } from "@/components/ui/button";
import { Input } from "@/components/ui/input";
import { Label } from "@/components/ui/label";
import { Checkbox } from "@/components/ui/checkbox";
import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select";
import { Accordion, AccordionContent, AccordionItem, AccordionTrigger } from "@/components/ui/accordion";
import { Badge } from "@/components/ui/badge";
import { Separator } from "@/components/ui/separator";
import {
Plus,
Trash2,
GripVertical,
ChevronUp,
ChevronDown,
Settings,
Database,
Layout,
Table,
} from "lucide-react";
import { cn } from "@/lib/utils";
import { apiClient } from "@/lib/api/client";
import { getNumberingRules } from "@/lib/api/numberingRule";
import {
UniversalFormModalConfig,
UniversalFormModalConfigPanelProps,
FormSectionConfig,
FormFieldConfig,
MODAL_SIZE_OPTIONS,
SECTION_TYPE_OPTIONS,
} from "./types";
import {
defaultSectionConfig,
defaultTableSectionConfig,
generateSectionId,
} from "./config";
// 모달 import
import { FieldDetailSettingsModal } from "./modals/FieldDetailSettingsModal";
import { SaveSettingsModal } from "./modals/SaveSettingsModal";
import { SectionLayoutModal } from "./modals/SectionLayoutModal";
import { TableSectionSettingsModal } from "./modals/TableSectionSettingsModal";
// 도움말 텍스트 컴포넌트
const HelpText = ({ children }: { children: React.ReactNode }) => (
<p className="text-[10px] text-muted-foreground mt-0.5">{children}</p>
);
export function UniversalFormModalConfigPanel({ config, onChange }: UniversalFormModalConfigPanelProps) {
// 테이블 목록
const [tables, setTables] = useState<{ name: string; label: string }[]>([]);
const [tableColumns, setTableColumns] = useState<{
[tableName: string]: { name: string; type: string; label: string }[];
}>({});
// 채번규칙 목록
const [numberingRules, setNumberingRules] = useState<{ id: string; name: string }[]>([]);
// 모달 상태
const [saveSettingsModalOpen, setSaveSettingsModalOpen] = useState(false);
const [sectionLayoutModalOpen, setSectionLayoutModalOpen] = useState(false);
const [fieldDetailModalOpen, setFieldDetailModalOpen] = useState(false);
const [tableSectionSettingsModalOpen, setTableSectionSettingsModalOpen] = useState(false);
const [selectedSection, setSelectedSection] = useState<FormSectionConfig | null>(null);
const [selectedField, setSelectedField] = useState<FormFieldConfig | null>(null);
// 테이블 목록 로드
useEffect(() => {
loadTables();
loadNumberingRules();
}, []);
// 저장 테이블 변경 시 컬럼 로드
useEffect(() => {
if (config.saveConfig.tableName) {
loadTableColumns(config.saveConfig.tableName);
}
}, [config.saveConfig.tableName]);
const loadTables = async () => {
try {
const response = await apiClient.get("/table-management/tables");
const data = response.data?.data;
if (response.data?.success && Array.isArray(data)) {
setTables(
data.map((t: { tableName?: string; table_name?: string; tableLabel?: string; table_label?: string }) => ({
name: t.tableName || t.table_name || "",
label: t.tableLabel || t.table_label || t.tableName || t.table_name || "",
})),
);
}
} catch (error) {
console.error("테이블 목록 로드 실패:", error);
}
};
const loadTableColumns = async (tableName: string) => {
if (!tableName || (tableColumns[tableName] && tableColumns[tableName].length > 0)) return;
try {
const response = await apiClient.get(`/table-management/tables/${tableName}/columns`);
// API 응답 구조: { success, data: { columns: [...], total, page, ... } }
const columns = response.data?.data?.columns;
if (response.data?.success && Array.isArray(columns)) {
setTableColumns((prev) => ({
...prev,
[tableName]: columns.map(
(c: {
columnName?: string;
column_name?: string;
dataType?: string;
data_type?: string;
displayName?: string;
columnComment?: string;
column_comment?: string;
}) => ({
name: c.columnName || c.column_name || "",
type: c.dataType || c.data_type || "text",
label: c.displayName || c.columnComment || c.column_comment || c.columnName || c.column_name || "",
}),
),
}));
}
} catch (error) {
console.error(`테이블 컬럼 로드 실패 (${tableName}):`, error);
}
};
const loadNumberingRules = async () => {
try {
const response = await getNumberingRules();
const data = response?.data;
if (response?.success && Array.isArray(data)) {
const rules = data.map(
(r: {
id?: string | number;
ruleId?: string;
rule_id?: string;
name?: string;
ruleName?: string;
rule_name?: string;
}) => ({
id: String(r.id || r.ruleId || r.rule_id || ""),
name: r.name || r.ruleName || r.rule_name || "",
}),
);
setNumberingRules(rules);
}
} catch (error) {
console.error("채번규칙 목록 로드 실패:", error);
}
};
// 설정 업데이트 헬퍼
const updateModalConfig = useCallback(
(updates: Partial<UniversalFormModalConfig["modal"]>) => {
onChange({
...config,
modal: { ...config.modal, ...updates },
});
},
[config, onChange],
);
// 섹션 관리
const addSection = useCallback((type: "fields" | "table" = "fields") => {
const newSection: FormSectionConfig = {
...defaultSectionConfig,
id: generateSectionId(),
title: type === "table" ? `테이블 섹션 ${config.sections.length + 1}` : `섹션 ${config.sections.length + 1}`,
type,
fields: type === "fields" ? [] : undefined,
tableConfig: type === "table" ? { ...defaultTableSectionConfig } : undefined,
};
onChange({
...config,
sections: [...config.sections, newSection],
});
}, [config, onChange]);
// 섹션 타입 변경
const changeSectionType = useCallback(
(sectionId: string, newType: "fields" | "table") => {
onChange({
...config,
sections: config.sections.map((s) => {
if (s.id !== sectionId) return s;
if (newType === "table") {
return {
...s,
type: "table",
fields: undefined,
tableConfig: { ...defaultTableSectionConfig },
};
} else {
return {
...s,
type: "fields",
fields: [],
tableConfig: undefined,
};
}
}),
});
},
[config, onChange]
);
// 테이블 섹션 설정 모달 열기
const handleOpenTableSectionSettings = (section: FormSectionConfig) => {
setSelectedSection(section);
setTableSectionSettingsModalOpen(true);
};
const updateSection = useCallback(
(sectionId: string, updates: Partial<FormSectionConfig>) => {
onChange({
...config,
sections: config.sections.map((s) => (s.id === sectionId ? { ...s, ...updates } : s)),
});
},
[config, onChange],
);
const removeSection = useCallback(
(sectionId: string) => {
onChange({
...config,
sections: config.sections.filter((s) => s.id !== sectionId),
});
},
[config, onChange],
);
const moveSectionUp = useCallback(
(index: number) => {
if (index <= 0) return;
const newSections = [...config.sections];
[newSections[index - 1], newSections[index]] = [newSections[index], newSections[index - 1]];
onChange({ ...config, sections: newSections });
},
[config, onChange],
);
const moveSectionDown = useCallback(
(index: number) => {
if (index >= config.sections.length - 1) return;
const newSections = [...config.sections];
[newSections[index], newSections[index + 1]] = [newSections[index + 1], newSections[index]];
onChange({ ...config, sections: newSections });
},
[config, onChange],
);
// 필드 타입별 색상
const getFieldTypeColor = (fieldType: FormFieldConfig["fieldType"]): string => {
switch (fieldType) {
case "text":
case "email":
case "password":
case "tel":
return "text-blue-600 bg-blue-50 border-blue-200";
case "number":
return "text-cyan-600 bg-cyan-50 border-cyan-200";
case "date":
case "datetime":
return "text-purple-600 bg-purple-50 border-purple-200";
case "select":
return "text-green-600 bg-green-50 border-green-200";
case "checkbox":
return "text-pink-600 bg-pink-50 border-pink-200";
case "textarea":
return "text-orange-600 bg-orange-50 border-orange-200";
default:
return "text-gray-600 bg-gray-50 border-gray-200";
}
};
// 섹션 레이아웃 모달 열기
const handleOpenSectionLayout = (section: FormSectionConfig) => {
setSelectedSection(section);
setSectionLayoutModalOpen(true);
};
// 필드 상세 설정 모달 열기
const handleOpenFieldDetail = (section: FormSectionConfig, field: FormFieldConfig) => {
setSelectedSection(section);
setSelectedField(field);
setFieldDetailModalOpen(true);
};
return (
<div className="h-full flex flex-col overflow-hidden w-full min-w-0">
<div className="flex-1 overflow-y-auto overflow-x-hidden w-full min-w-0">
<div className="space-y-4 p-4 w-full min-w-0 max-w-full">
{/* 모달 기본 설정 */}
<Accordion type="single" collapsible defaultValue="modal-settings" className="w-full min-w-0">
<AccordionItem value="modal-settings" className="border rounded-lg w-full min-w-0">
<AccordionTrigger className="px-4 py-3 text-sm font-medium hover:no-underline w-full min-w-0">
<div className="flex items-center gap-2 w-full min-w-0">
<Settings className="h-4 w-4 shrink-0" />
<span className="truncate"> </span>
</div>
</AccordionTrigger>
<AccordionContent className="px-4 pb-4 space-y-4 w-full min-w-0">
<div className="w-full min-w-0">
<Label className="text-xs font-medium mb-1.5 block"> </Label>
<Input
value={config.modal.title}
onChange={(e) => updateModalConfig({ title: e.target.value })}
className="h-9 text-sm w-full max-w-full"
/>
<HelpText> </HelpText>
</div>
<div className="w-full min-w-0">
<Label className="text-xs font-medium mb-1.5 block"> </Label>
<Select value={config.modal.size} onValueChange={(value: any) => updateModalConfig({ size: value })}>
<SelectTrigger className="h-9 text-sm w-full max-w-full">
<SelectValue />
</SelectTrigger>
<SelectContent>
{MODAL_SIZE_OPTIONS.map((opt) => (
<SelectItem key={opt.value} value={opt.value}>
{opt.label}
</SelectItem>
))}
</SelectContent>
</Select>
<HelpText> </HelpText>
</div>
{/* 저장 버튼 표시 설정 */}
<div className="w-full min-w-0">
<div className="flex items-center gap-2">
<Checkbox
id="show-save-button"
checked={config.modal.showSaveButton !== false}
onCheckedChange={(checked) => updateModalConfig({ showSaveButton: checked === true })}
/>
<Label htmlFor="show-save-button" className="text-xs font-medium cursor-pointer">
</Label>
</div>
<HelpText> </HelpText>
</div>
<div className="space-y-3 w-full min-w-0">
<div className="w-full min-w-0">
<Label className="text-xs font-medium mb-1.5 block"> </Label>
<Input
value={config.modal.saveButtonText || "저장"}
onChange={(e) => updateModalConfig({ saveButtonText: e.target.value })}
className="h-9 text-sm w-full max-w-full"
/>
</div>
<div className="w-full min-w-0">
<Label className="text-xs font-medium mb-1.5 block"> </Label>
<Input
value={config.modal.cancelButtonText || "취소"}
onChange={(e) => updateModalConfig({ cancelButtonText: e.target.value })}
className="h-9 text-sm w-full max-w-full"
/>
</div>
</div>
</AccordionContent>
</AccordionItem>
</Accordion>
{/* 저장 설정 */}
<Accordion type="single" collapsible defaultValue="save-settings" className="w-full min-w-0">
<AccordionItem value="save-settings" className="border rounded-lg w-full min-w-0">
<AccordionTrigger className="px-4 py-3 text-sm font-medium hover:no-underline w-full min-w-0">
<div className="flex items-center gap-2 w-full min-w-0">
<Database className="h-4 w-4 shrink-0" />
<span className="truncate"> </span>
</div>
</AccordionTrigger>
<AccordionContent className="px-4 pb-4 space-y-4 w-full min-w-0">
<div className="space-y-3 w-full min-w-0">
<div className="flex-1 min-w-0">
<Label className="text-xs font-medium mb-1.5 block"> </Label>
<p className="text-sm text-muted-foreground">
{config.saveConfig.tableName || "(미설정)"}
</p>
{config.saveConfig.customApiSave?.enabled && config.saveConfig.customApiSave?.multiTable?.enabled && (
<Badge variant="secondary" className="text-xs px-2 py-0.5 mt-2">
</Badge>
)}
</div>
<Button
size="sm"
variant="outline"
onClick={() => setSaveSettingsModalOpen(true)}
className="h-9 text-xs w-full"
>
<Settings className="h-4 w-4 mr-2" />
</Button>
</div>
<HelpText>
.
<br />
"저장 설정 열기" .
</HelpText>
</AccordionContent>
</AccordionItem>
</Accordion>
{/* 섹션 구성 */}
<Accordion type="single" collapsible defaultValue="sections" className="w-full min-w-0">
<AccordionItem value="sections" className="border rounded-lg w-full min-w-0">
<AccordionTrigger className="px-4 py-3 text-sm font-medium hover:no-underline w-full min-w-0">
<div className="flex items-center gap-2 w-full min-w-0">
<Layout className="h-4 w-4 shrink-0" />
<span className="truncate"> </span>
<Badge variant="secondary" className="text-xs px-2 py-0.5 shrink-0">
{config.sections.length}
</Badge>
</div>
</AccordionTrigger>
<AccordionContent className="px-4 pb-4 space-y-4 w-full min-w-0">
{/* 섹션 추가 버튼들 */}
<div className="flex gap-2 w-full min-w-0">
<Button size="sm" variant="outline" onClick={() => addSection("fields")} className="h-9 text-xs flex-1 min-w-0">
<Plus className="h-4 w-4 mr-1 shrink-0" />
<span className="truncate"> </span>
</Button>
<Button size="sm" variant="outline" onClick={() => addSection("table")} className="h-9 text-xs flex-1 min-w-0">
<Table className="h-4 w-4 mr-1 shrink-0" />
<span className="truncate"> </span>
</Button>
</div>
<HelpText>
섹션: 일반 .
<br />
섹션: 품목 .
</HelpText>
{config.sections.length === 0 ? (
<div className="text-center py-12 border border-dashed rounded-lg w-full bg-muted/20">
<p className="text-sm text-muted-foreground mb-2 font-medium"> </p>
<p className="text-xs text-muted-foreground"> </p>
</div>
) : (
<div className="space-y-3 w-full min-w-0">
{config.sections.map((section, index) => (
<div key={section.id} className="border rounded-lg p-3 bg-card w-full min-w-0 overflow-hidden space-y-3">
{/* 헤더: 제목 + 타입 배지 + 삭제 */}
<div className="flex items-start justify-between gap-3 w-full min-w-0">
<div className="flex-1 min-w-0">
<div className="flex items-center gap-2 mb-1.5">
<span className="text-sm font-medium truncate">{section.title}</span>
{section.type === "table" ? (
<Badge variant="outline" className="text-xs px-1.5 py-0.5 text-purple-600 bg-purple-50 border-purple-200">
</Badge>
) : section.repeatable ? (
<Badge variant="outline" className="text-xs px-1.5 py-0.5">
</Badge>
) : null}
</div>
{section.type === "table" ? (
<Badge variant="secondary" className="text-xs px-2 py-0.5">
{section.tableConfig?.source?.tableName || "(소스 미설정)"}
</Badge>
) : (
<Badge variant="secondary" className="text-xs px-2 py-0.5">
{(section.fields || []).length}
</Badge>
)}
</div>
<Button
size="sm"
variant="ghost"
onClick={() => removeSection(section.id)}
className="h-7 w-7 p-0 text-destructive hover:text-destructive shrink-0"
>
<Trash2 className="h-4 w-4" />
</Button>
</div>
{/* 순서 조정 버튼 */}
<div className="flex items-center gap-2">
<GripVertical className="h-4 w-4 text-muted-foreground shrink-0" />
<div className="flex gap-1">
<Button
size="sm"
variant="outline"
onClick={() => moveSectionUp(index)}
disabled={index === 0}
className="h-7 px-2 text-xs"
>
<ChevronUp className="h-3.5 w-3.5" />
</Button>
<Button
size="sm"
variant="outline"
onClick={() => moveSectionDown(index)}
disabled={index === config.sections.length - 1}
className="h-7 px-2 text-xs"
>
<ChevronDown className="h-3.5 w-3.5" />
</Button>
</div>
</div>
{/* 필드 목록 (필드 타입만) */}
{section.type !== "table" && (section.fields || []).length > 0 && (
<div className="flex flex-wrap gap-1.5 max-w-full overflow-hidden pt-1">
{(section.fields || []).slice(0, 4).map((field) => (
<Badge
key={field.id}
variant="outline"
className={cn("text-xs px-2 py-0.5 shrink-0", getFieldTypeColor(field.fieldType))}
>
{field.label}
</Badge>
))}
{(section.fields || []).length > 4 && (
<Badge variant="outline" className="text-xs px-2 py-0.5 shrink-0">
+{(section.fields || []).length - 4}
</Badge>
)}
</div>
)}
{/* 테이블 컬럼 목록 (테이블 타입만) */}
{section.type === "table" && section.tableConfig?.columns && section.tableConfig.columns.length > 0 && (
<div className="flex flex-wrap gap-1.5 max-w-full overflow-hidden pt-1">
{section.tableConfig.columns.slice(0, 4).map((col) => (
<Badge
key={col.field}
variant="outline"
className="text-xs px-2 py-0.5 shrink-0 text-purple-600 bg-purple-50 border-purple-200"
>
{col.label}
</Badge>
))}
{section.tableConfig.columns.length > 4 && (
<Badge variant="outline" className="text-xs px-2 py-0.5 shrink-0">
+{section.tableConfig.columns.length - 4}
</Badge>
)}
</div>
)}
{/* 설정 버튼 (타입에 따라 다름) */}
{section.type === "table" ? (
<Button
size="sm"
variant="outline"
onClick={() => handleOpenTableSectionSettings(section)}
className="h-9 text-xs w-full"
>
<Table className="h-4 w-4 mr-2" />
</Button>
) : (
<Button
size="sm"
variant="outline"
onClick={() => handleOpenSectionLayout(section)}
className="h-9 text-xs w-full"
>
<Layout className="h-4 w-4 mr-2" />
</Button>
)}
</div>
))}
</div>
)}
</AccordionContent>
</AccordionItem>
</Accordion>
</div>
</div>
{/* 저장 설정 모달 */}
<SaveSettingsModal
open={saveSettingsModalOpen}
onOpenChange={setSaveSettingsModalOpen}
saveConfig={config.saveConfig}
sections={config.sections}
onSave={(updates) => {
onChange({
...config,
saveConfig: updates,
});
}}
tables={tables}
tableColumns={tableColumns}
onLoadTableColumns={loadTableColumns}
/>
{/* 섹션 레이아웃 모달 */}
{selectedSection && (
<SectionLayoutModal
open={sectionLayoutModalOpen}
onOpenChange={setSectionLayoutModalOpen}
section={selectedSection}
onSave={(updates) => {
// config 업데이트
updateSection(selectedSection.id, updates);
// selectedSection 상태도 업데이트 (최신 상태 유지)
setSelectedSection({ ...selectedSection, ...updates });
setSectionLayoutModalOpen(false);
}}
onOpenFieldDetail={(field) => {
setSectionLayoutModalOpen(false);
setSelectedField(field);
setFieldDetailModalOpen(true);
}}
/>
)}
{/* 필드 상세 설정 모달 */}
{selectedSection && selectedField && (
<FieldDetailSettingsModal
open={fieldDetailModalOpen}
onOpenChange={(open) => {
setFieldDetailModalOpen(open);
if (!open) {
// 필드 상세 모달을 닫으면 섹션 레이아웃 모달을 다시 엽니다
setSectionLayoutModalOpen(true);
}
}}
field={selectedField}
onSave={(updatedField) => {
// updatedField는 FieldDetailSettingsModal에서 전달된 전체 필드 객체
const updatedSection = {
...selectedSection,
// 기본 필드 목록에서 업데이트
fields: (selectedSection.fields || []).map((f) => (f.id === updatedField.id ? updatedField : f)),
// 옵셔널 필드 그룹 내 필드도 업데이트
optionalFieldGroups: selectedSection.optionalFieldGroups?.map((group) => ({
...group,
fields: group.fields.map((f) => (f.id === updatedField.id ? updatedField : f)),
})),
};
// config 업데이트
onChange({
...config,
sections: config.sections.map((s) =>
s.id === selectedSection.id ? updatedSection : s
),
});
// selectedSection과 selectedField 상태도 업데이트 (다음에 다시 열었을 때 최신 값 반영)
setSelectedSection(updatedSection);
setSelectedField(updatedField as FormFieldConfig);
setFieldDetailModalOpen(false);
setSectionLayoutModalOpen(true);
}}
tables={tables}
tableColumns={tableColumns}
numberingRules={numberingRules}
onLoadTableColumns={loadTableColumns}
/>
)}
{/* 테이블 섹션 설정 모달 */}
{selectedSection && selectedSection.type === "table" && (
<TableSectionSettingsModal
open={tableSectionSettingsModalOpen}
onOpenChange={setTableSectionSettingsModalOpen}
section={selectedSection}
onSave={(updates) => {
const updatedSection = {
...selectedSection,
...updates,
};
// config 업데이트
onChange({
...config,
sections: config.sections.map((s) =>
s.id === selectedSection.id ? updatedSection : s
),
});
setSelectedSection(updatedSection);
setTableSectionSettingsModalOpen(false);
}}
tables={tables.map(t => ({ table_name: t.name, comment: t.label }))}
tableColumns={Object.fromEntries(
Object.entries(tableColumns).map(([tableName, cols]) => [
tableName,
cols.map(c => ({
column_name: c.name,
data_type: c.type,
is_nullable: "YES",
comment: c.label,
})),
])
)}
onLoadTableColumns={loadTableColumns}
allSections={config.sections as FormSectionConfig[]}
/>
)}
</div>
);
}