ERP-node/frontend/components/common/ScreenModal.tsx

234 lines
7.4 KiB
TypeScript
Raw Normal View History

2025-09-12 14:24:25 +09:00
"use client";
import React, { useState, useEffect } from "react";
2025-09-18 10:05:50 +09:00
import { Dialog, DialogContent, DialogHeader, DialogTitle } from "@/components/ui/dialog";
2025-09-12 14:24:25 +09:00
import { InteractiveScreenViewerDynamic } from "@/components/screen/InteractiveScreenViewerDynamic";
import { screenApi } from "@/lib/api/screen";
import { ComponentData } from "@/types/screen";
import { toast } from "sonner";
interface ScreenModalState {
isOpen: boolean;
screenId: number | null;
title: string;
size: "sm" | "md" | "lg" | "xl";
}
interface ScreenModalProps {
className?: string;
}
export const ScreenModal: React.FC<ScreenModalProps> = ({ className }) => {
const [modalState, setModalState] = useState<ScreenModalState>({
isOpen: false,
screenId: null,
title: "",
size: "md",
});
2025-09-18 10:05:50 +09:00
2025-09-12 14:24:25 +09:00
const [screenData, setScreenData] = useState<{
components: ComponentData[];
screenInfo: any;
} | null>(null);
2025-09-18 10:05:50 +09:00
2025-09-12 14:24:25 +09:00
const [loading, setLoading] = useState(false);
const [screenDimensions, setScreenDimensions] = useState<{
width: number;
height: number;
} | null>(null);
2025-09-18 10:05:50 +09:00
// 폼 데이터 상태 추가
const [formData, setFormData] = useState<Record<string, any>>({});
2025-09-12 14:24:25 +09:00
// 화면의 실제 크기 계산 함수
const calculateScreenDimensions = (components: ComponentData[]) => {
let maxWidth = 800; // 최소 너비
let maxHeight = 600; // 최소 높이
components.forEach((component) => {
const x = parseFloat(component.style?.positionX || "0");
const y = parseFloat(component.style?.positionY || "0");
const width = parseFloat(component.style?.width || "100");
const height = parseFloat(component.style?.height || "40");
// 컴포넌트의 오른쪽 끝과 아래쪽 끝 계산
const rightEdge = x + width;
const bottomEdge = y + height;
maxWidth = Math.max(maxWidth, rightEdge + 50); // 여백 추가
maxHeight = Math.max(maxHeight, bottomEdge + 50); // 여백 추가
});
return {
width: Math.min(maxWidth, window.innerWidth * 0.9), // 화면의 90%를 넘지 않도록
height: Math.min(maxHeight, window.innerHeight * 0.8), // 화면의 80%를 넘지 않도록
};
};
// 전역 모달 이벤트 리스너
useEffect(() => {
const handleOpenModal = (event: CustomEvent) => {
const { screenId, title, size } = event.detail;
setModalState({
isOpen: true,
screenId,
title,
size,
});
};
window.addEventListener("openScreenModal", handleOpenModal as EventListener);
return () => {
window.removeEventListener("openScreenModal", handleOpenModal as EventListener);
};
}, []);
// 화면 데이터 로딩
useEffect(() => {
if (modalState.isOpen && modalState.screenId) {
loadScreenData(modalState.screenId);
}
}, [modalState.isOpen, modalState.screenId]);
const loadScreenData = async (screenId: number) => {
try {
setLoading(true);
2025-09-18 10:05:50 +09:00
2025-09-12 14:24:25 +09:00
console.log("화면 데이터 로딩 시작:", screenId);
2025-09-18 10:05:50 +09:00
2025-09-12 14:24:25 +09:00
// 화면 정보와 레이아웃 데이터 로딩
const [screenInfo, layoutData] = await Promise.all([
screenApi.getScreen(screenId),
screenApi.getLayout(screenId),
]);
console.log("API 응답:", { screenInfo, layoutData });
// screenApi는 직접 데이터를 반환하므로 .success 체크 불필요
if (screenInfo && layoutData) {
const components = layoutData.components || [];
2025-09-18 10:05:50 +09:00
2025-09-12 14:24:25 +09:00
// 화면의 실제 크기 계산
const dimensions = calculateScreenDimensions(components);
setScreenDimensions(dimensions);
2025-09-18 10:05:50 +09:00
2025-09-12 14:24:25 +09:00
setScreenData({
components,
screenInfo: screenInfo,
});
console.log("화면 데이터 설정 완료:", {
componentsCount: components.length,
dimensions,
screenInfo,
});
} else {
throw new Error("화면 데이터가 없습니다");
}
} catch (error) {
console.error("화면 데이터 로딩 오류:", error);
toast.error("화면을 불러오는 중 오류가 발생했습니다.");
handleClose();
} finally {
setLoading(false);
}
};
const handleClose = () => {
setModalState({
isOpen: false,
screenId: null,
title: "",
size: "md",
});
setScreenData(null);
2025-09-18 10:05:50 +09:00
setFormData({}); // 폼 데이터 초기화
2025-09-12 14:24:25 +09:00
};
// 모달 크기 설정 - 화면 내용에 맞게 동적 조정
const getModalStyle = () => {
if (!screenDimensions) {
return {
className: "w-fit min-w-[400px] max-w-4xl max-h-[80vh] overflow-hidden",
2025-09-18 10:05:50 +09:00
style: {},
2025-09-12 14:24:25 +09:00
};
}
// 헤더 높이와 패딩을 고려한 전체 높이 계산
const headerHeight = 60; // DialogHeader + 패딩
const totalHeight = screenDimensions.height + headerHeight;
return {
className: "overflow-hidden p-0",
style: {
width: `${screenDimensions.width + 48}px`, // 헤더 패딩과 여백 고려
height: `${Math.min(totalHeight, window.innerHeight * 0.8)}px`,
2025-09-18 10:05:50 +09:00
maxWidth: "90vw",
maxHeight: "80vh",
},
2025-09-12 14:24:25 +09:00
};
};
const modalStyle = getModalStyle();
return (
<Dialog open={modalState.isOpen} onOpenChange={handleClose}>
2025-09-18 10:05:50 +09:00
<DialogContent className={`${modalStyle.className} ${className || ""}`} style={modalStyle.style}>
<DialogHeader className="border-b px-6 py-4">
2025-09-12 14:24:25 +09:00
<DialogTitle>{modalState.title}</DialogTitle>
</DialogHeader>
2025-09-18 10:05:50 +09:00
2025-09-12 14:24:25 +09:00
<div className="flex-1 overflow-hidden p-4">
{loading ? (
2025-09-18 10:05:50 +09:00
<div className="flex h-full items-center justify-center">
2025-09-12 14:24:25 +09:00
<div className="text-center">
2025-09-18 10:05:50 +09:00
<div className="mx-auto mb-4 h-8 w-8 animate-spin rounded-full border-b-2 border-blue-600"></div>
2025-09-12 14:24:25 +09:00
<p className="text-gray-600"> ...</p>
</div>
</div>
) : screenData ? (
2025-09-18 10:05:50 +09:00
<div
className="relative overflow-hidden bg-white"
2025-09-12 14:24:25 +09:00
style={{
2025-09-18 10:05:50 +09:00
width: screenDimensions?.width || 800,
height: screenDimensions?.height || 600,
2025-09-12 14:24:25 +09:00
}}
>
{screenData.components.map((component) => (
<InteractiveScreenViewerDynamic
key={component.id}
component={component}
allComponents={screenData.components}
2025-09-18 10:05:50 +09:00
formData={formData}
onFormDataChange={(fieldName, value) => {
console.log(`🎯 ScreenModal onFormDataChange 호출: ${fieldName} = "${value}"`);
console.log(`📋 현재 formData:`, formData);
setFormData((prev) => {
const newFormData = {
...prev,
[fieldName]: value,
};
console.log(`📝 ScreenModal 업데이트된 formData:`, newFormData);
return newFormData;
});
}}
2025-09-12 14:24:25 +09:00
screenInfo={{
id: modalState.screenId!,
tableName: screenData.screenInfo?.tableName,
}}
/>
))}
</div>
) : (
2025-09-18 10:05:50 +09:00
<div className="flex h-full items-center justify-center">
2025-09-12 14:24:25 +09:00
<p className="text-gray-600"> .</p>
</div>
)}
</div>
</DialogContent>
</Dialog>
);
};
export default ScreenModal;