import React, { useState, useEffect, useRef, useMemo } from "react"; import { filterDOMProps } from "@/lib/utils/domPropsFilter"; import { useCodeOptions, useTableCodeCategory } from "@/hooks/queries/useCodes"; import { cn } from "@/lib/registry/components/common/inputStyles"; interface Option { value: string; label: string; } export interface SelectBasicComponentProps { component: any; componentConfig: any; screenId?: number; onUpdate?: (field: string, value: any) => void; isSelected?: boolean; isDesignMode?: boolean; isInteractive?: boolean; onFormDataChange?: (fieldName: string, value: any) => void; className?: string; style?: React.CSSProperties; onClick?: () => void; onDragStart?: () => void; onDragEnd?: () => void; value?: any; // 외부에서 전달받는 값 [key: string]: any; } // ✅ React Query를 사용하여 중복 요청 방지 및 자동 캐싱 처리 // - 동일한 queryKey에 대해서는 자동으로 중복 요청 제거 // - 10분 staleTime으로 적절한 캐시 관리 // - 30분 gcTime으로 메모리 효율성 확보 const SelectBasicComponent: React.FC = ({ component, componentConfig, screenId, onUpdate, isSelected = false, isDesignMode = false, isInteractive = false, onFormDataChange, className, style, onClick, onDragStart, onDragEnd, value: externalValue, // 명시적으로 value prop 받기 ...props }) => { // 🚨 최우선 디버깅: 컴포넌트가 실행되는지 확인 console.log("🚨🚨🚨 SelectBasicComponent 실행됨!!!", { componentId: component?.id, componentType: component?.type, webType: component?.webType, tableName: component?.tableName, columnName: component?.columnName, screenId, timestamp: new Date().toISOString(), }); const [isOpen, setIsOpen] = useState(false); // webTypeConfig 또는 componentConfig 사용 (DynamicWebTypeRenderer 호환성) const config = (props as any).webTypeConfig || componentConfig || {}; // webType에 따른 세부 타입 결정 (TextInputComponent와 동일한 방식) const webType = component.componentConfig?.webType || "select"; // 외부에서 전달받은 value가 있으면 우선 사용, 없으면 config.value 사용 const [selectedValue, setSelectedValue] = useState(externalValue || config?.value || ""); const [selectedLabel, setSelectedLabel] = useState(""); // multiselect의 경우 배열로 관리 const [selectedValues, setSelectedValues] = useState([]); // autocomplete의 경우 검색어 관리 const [searchQuery, setSearchQuery] = useState(""); console.log("🔍 SelectBasicComponent 초기화 (React Query):", { componentId: component.id, externalValue, componentConfigValue: componentConfig?.value, webTypeConfigValue: (props as any).webTypeConfig?.value, configValue: config?.value, finalSelectedValue: externalValue || config?.value || "", tableName: component.tableName, columnName: component.columnName, staticCodeCategory: config?.codeCategory, // React Query 디버깅 정보 timestamp: new Date().toISOString(), mountCount: ++(window as any).selectMountCount || ((window as any).selectMountCount = 1), }); // 언마운트 시 로깅 useEffect(() => { const componentId = component.id; console.log(`🔍 [${componentId}] SelectBasicComponent 마운트됨`); return () => { console.log(`🔍 [${componentId}] SelectBasicComponent 언마운트됨`); }; }, [component.id]); const selectRef = useRef(null); // 안정적인 쿼리 키를 위한 메모이제이션 const stableTableName = useMemo(() => component.tableName, [component.tableName]); const stableColumnName = useMemo(() => component.columnName, [component.columnName]); const staticCodeCategory = useMemo(() => config?.codeCategory, [config?.codeCategory]); // 🚀 React Query: 테이블 코드 카테고리 조회 const { data: dynamicCodeCategory } = useTableCodeCategory(stableTableName, stableColumnName); // 코드 카테고리 결정: 동적 카테고리 > 설정 카테고리 (메모이제이션) const codeCategory = useMemo(() => { const category = dynamicCodeCategory || staticCodeCategory; console.log(`🔑 [${component.id}] 코드 카테고리 결정:`, { dynamicCodeCategory, staticCodeCategory, finalCategory: category, }); return category; }, [dynamicCodeCategory, staticCodeCategory, component.id]); // 🚀 React Query: 코드 옵션 조회 (안정적인 enabled 조건) const isCodeCategoryValid = useMemo(() => { return !!codeCategory && codeCategory !== "none"; }, [codeCategory]); const { options: codeOptions, isLoading: isLoadingCodes, isFetching, } = useCodeOptions(codeCategory, isCodeCategoryValid); // React Query 상태 디버깅 useEffect(() => { console.log(`🎯 [${component.id}] React Query 상태:`, { codeCategory, isCodeCategoryValid, codeOptionsLength: codeOptions.length, isLoadingCodes, isFetching, cacheStatus: isFetching ? "FETCHING" : "FROM_CACHE", }); }, [component.id, codeCategory, isCodeCategoryValid, codeOptions.length, isLoadingCodes, isFetching]); // 외부 value prop 변경 시 selectedValue 업데이트 useEffect(() => { const newValue = externalValue || config?.value || ""; // 값이 실제로 다른 경우에만 업데이트 (빈 문자열도 유효한 값으로 처리) if (newValue !== selectedValue) { console.log(`🔄 SelectBasicComponent value 업데이트: "${selectedValue}" → "${newValue}"`); console.log("🔍 업데이트 조건 분석:", { externalValue, componentConfigValue: componentConfig?.value, configValue: config?.value, newValue, selectedValue, shouldUpdate: newValue !== selectedValue, }); setSelectedValue(newValue); } }, [externalValue, config?.value]); // ✅ React Query가 자동으로 처리하므로 복잡한 전역 상태 관리 제거 // - 캐싱: React Query가 자동 관리 (10분 staleTime, 30분 gcTime) // - 중복 요청 방지: 동일한 queryKey에 대해 자동 중복 제거 // - 상태 동기화: 모든 컴포넌트가 같은 캐시 공유 // 선택된 값에 따른 라벨 업데이트 useEffect(() => { const getAllOptions = () => { const configOptions = config.options || []; return [...codeOptions, ...configOptions]; }; const options = getAllOptions(); const selectedOption = options.find((option) => option.value === selectedValue); // 🎯 코드 타입의 경우 코드값과 코드명을 모두 고려하여 라벨 찾기 let newLabel = selectedOption?.label || ""; // selectedOption이 없고 selectedValue가 있다면, 코드명으로도 검색해보기 if (!selectedOption && selectedValue && codeOptions.length > 0) { // 1) selectedValue가 코드명인 경우 (예: "국내") const labelMatch = options.find((option) => option.label === selectedValue); if (labelMatch) { newLabel = labelMatch.label; console.log(`🔍 [${component.id}] 코드명으로 매치 발견: "${selectedValue}" → "${newLabel}"`); } else { // 2) selectedValue가 코드값인 경우라면 원래 로직대로 라벨을 찾되, 없으면 원값 표시 newLabel = selectedValue; // 코드값 그대로 표시 (예: "555") console.log(`🔍 [${component.id}] 코드값 원본 유지: "${selectedValue}"`); } } console.log(`🏷️ [${component.id}] 라벨 업데이트:`, { selectedValue, selectedOption: selectedOption ? { value: selectedOption.value, label: selectedOption.label } : null, newLabel, optionsCount: options.length, allOptionsValues: options.map((o) => o.value), allOptionsLabels: options.map((o) => o.label), }); if (newLabel !== selectedLabel) { setSelectedLabel(newLabel); } }, [selectedValue, codeOptions, config.options]); // 클릭 이벤트 핸들러 (React Query로 간소화) const handleToggle = () => { if (isDesignMode) return; console.log(`🖱️ [${component.id}] 드롭다운 토글 (React Query): ${isOpen} → ${!isOpen}`); console.log(`📊 [${component.id}] 현재 상태:`, { codeCategory, isLoadingCodes, codeOptionsLength: codeOptions.length, tableName: component.tableName, columnName: component.columnName, }); // React Query가 자동으로 캐시 관리하므로 수동 새로고침 불필요 setIsOpen(!isOpen); }; // 옵션 선택 핸들러 const handleOptionSelect = (value: string, label: string) => { setSelectedValue(value); setSelectedLabel(label); setIsOpen(false); // 디자인 모드에서의 컴포넌트 속성 업데이트 if (onUpdate) { onUpdate("value", value); } // 인터랙티브 모드에서 폼 데이터 업데이트 (TextInputComponent와 동일한 로직) if (isInteractive && onFormDataChange && component.columnName) { console.log(`📤 SelectBasicComponent -> onFormDataChange 호출: ${component.columnName} = "${value}"`); onFormDataChange(component.columnName, value); } else { console.log("❌ SelectBasicComponent onFormDataChange 조건 미충족:", { isInteractive, hasOnFormDataChange: !!onFormDataChange, hasColumnName: !!component.columnName, }); } console.log(`✅ [${component.id}] 옵션 선택:`, { value, label }); }; // 외부 클릭 시 드롭다운 닫기 useEffect(() => { const handleClickOutside = (event: MouseEvent) => { if (selectRef.current && !selectRef.current.contains(event.target as Node)) { setIsOpen(false); } }; if (isOpen) { document.addEventListener("mousedown", handleClickOutside); } return () => { document.removeEventListener("mousedown", handleClickOutside); }; }, [isOpen]); // ✅ React Query가 자동으로 처리하므로 수동 이벤트 리스너 불필요 // - refetchOnWindowFocus: true (기본값) // - refetchOnReconnect: true (기본값) // - staleTime으로 적절한 캐시 관리 // 모든 옵션 가져오기 const getAllOptions = () => { const configOptions = config.options || []; console.log(`🔧 [${component.id}] 옵션 병합:`, { codeOptionsLength: codeOptions.length, codeOptions: codeOptions.map((o: Option) => ({ value: o.value, label: o.label })), configOptionsLength: configOptions.length, configOptions: configOptions.map((o: Option) => ({ value: o.value, label: o.label })), }); return [...codeOptions, ...configOptions]; }; const allOptions = getAllOptions(); const placeholder = componentConfig.placeholder || "선택하세요"; // DOM props에서 React 전용 props 필터링 const { component: _component, componentConfig: _componentConfig, screenId: _screenId, onUpdate: _onUpdate, isSelected: _isSelected, isDesignMode: _isDesignMode, className: _className, style: _style, onClick: _onClick, onDragStart: _onDragStart, onDragEnd: _onDragEnd, ...otherProps } = props; const safeDomProps = filterDOMProps(otherProps); // 세부 타입별 렌더링 const renderSelectByWebType = () => { // code-radio: 라디오 버튼으로 코드 선택 if (webType === "code-radio") { return (
{allOptions.map((option, index) => ( ))}
); } // code-autocomplete: 코드 자동완성 if (webType === "code-autocomplete") { const filteredOptions = allOptions.filter( (opt) => opt.label.toLowerCase().includes(searchQuery.toLowerCase()) || opt.value.toLowerCase().includes(searchQuery.toLowerCase()), ); return (
{ setSearchQuery(e.target.value); setIsOpen(true); }} onFocus={() => setIsOpen(true)} placeholder="코드 또는 코드명 입력..." className={cn( "h-10 w-full rounded-lg border border-gray-300 bg-white px-3 py-2 transition-all outline-none", !isDesignMode && "hover:border-orange-400 focus:border-orange-500 focus:ring-2 focus:ring-orange-200", isSelected && "ring-2 ring-orange-500", )} readOnly={isDesignMode} /> {isOpen && !isDesignMode && filteredOptions.length > 0 && (
{filteredOptions.map((option, index) => (
{ setSearchQuery(""); handleOptionSelect(option.value, option.label); }} >
{option.label} {option.value}
))}
)}
); } // code: 기본 코드 선택박스 (select와 동일) if (webType === "code") { return (
{selectedLabel || placeholder}
{isOpen && !isDesignMode && (
{isLoadingCodes ? (
로딩 중...
) : allOptions.length > 0 ? ( allOptions.map((option, index) => (
handleOptionSelect(option.value, option.label)} > {option.label}
)) ) : (
옵션이 없습니다
)}
)}
); } // multiselect: 여러 항목 선택 (태그 형식) if (webType === "multiselect") { return (
{selectedValues.map((val, idx) => { const opt = allOptions.find((o) => o.value === val); return ( {opt?.label || val} ); })} 0 ? "" : placeholder} className="min-w-[100px] flex-1 border-none bg-transparent outline-none" onClick={() => setIsOpen(true)} readOnly={isDesignMode} />
); } // autocomplete: 검색 기능 포함 if (webType === "autocomplete") { const filteredOptions = allOptions.filter( (opt) => opt.label.toLowerCase().includes(searchQuery.toLowerCase()) || opt.value.toLowerCase().includes(searchQuery.toLowerCase()), ); return (
{ setSearchQuery(e.target.value); setIsOpen(true); }} onFocus={() => setIsOpen(true)} placeholder={placeholder} className={cn( "h-10 w-full rounded-lg border border-gray-300 bg-white px-3 py-2 transition-all outline-none", !isDesignMode && "hover:border-orange-400 focus:border-orange-500 focus:ring-2 focus:ring-orange-200", isSelected && "ring-2 ring-orange-500", )} readOnly={isDesignMode} /> {isOpen && !isDesignMode && filteredOptions.length > 0 && (
{filteredOptions.map((option, index) => (
{ setSearchQuery(option.label); setSelectedValue(option.value); setSelectedLabel(option.label); setIsOpen(false); if (isInteractive && onFormDataChange && component.columnName) { onFormDataChange(component.columnName, option.value); } }} > {option.label}
))}
)}
); } // dropdown (검색 선택박스): 기본 select와 유사하지만 검색 가능 if (webType === "dropdown") { return (
{selectedLabel || placeholder}
{isOpen && !isDesignMode && (
setSearchQuery(e.target.value)} placeholder="검색..." className="w-full border-b border-gray-300 px-3 py-2 outline-none" />
{allOptions .filter( (opt) => opt.label.toLowerCase().includes(searchQuery.toLowerCase()) || opt.value.toLowerCase().includes(searchQuery.toLowerCase()), ) .map((option, index) => (
handleOptionSelect(option.value, option.label)} > {option.label || option.value}
))}
)}
); } // select (기본 선택박스) return (
{selectedLabel || placeholder}
{isOpen && !isDesignMode && (
{isLoadingCodes ? (
로딩 중...
) : allOptions.length > 0 ? ( allOptions.map((option, index) => (
handleOptionSelect(option.value, option.label)} > {option.label || option.value}
)) ) : (
옵션이 없습니다
)}
)}
); }; return (
{/* 라벨 렌더링 */} {component.label && (component.style?.labelDisplay ?? true) && ( )} {/* 세부 타입별 UI 렌더링 */} {renderSelectByWebType()}
); }; // Wrapper 컴포넌트 (기존 호환성을 위해) export const SelectBasicWrapper = SelectBasicComponent; // 기본 export export { SelectBasicComponent };