'use client' /** * 국가 단일 선택 다이얼로그 * * @description * - 국가를 하나만 선택할 수 있는 다이얼로그 * - 트리거 버튼과 다이얼로그가 분리된 구조 * - 외부에서 open 상태를 제어 가능 */ import { useState, useCallback, useMemo, useTransition } from 'react' import { Button } from '@/components/ui/button' import { Dialog, DialogContent, DialogHeader, DialogTitle, DialogFooter } from '@/components/ui/dialog' import { Input } from '@/components/ui/input' import { Search, Check, X } from 'lucide-react' import { ColumnDef, flexRender, getCoreRowModel, getFilteredRowModel, getPaginationRowModel, getSortedRowModel, useReactTable, SortingState, ColumnFiltersState, VisibilityState, RowSelectionState, } from '@tanstack/react-table' import { Table, TableBody, TableCell, TableHead, TableHeader, TableRow, } from '@/components/ui/table' import { getNationCodes, NationCode, NationSearchOptions } from './nation-service' import { toast } from 'sonner' // 간단한 디바운스 함수 function debounce void>(func: T, delay: number): T { let timeoutId: NodeJS.Timeout return ((...args: Parameters) => { clearTimeout(timeoutId) timeoutId = setTimeout(() => func(...args), delay) }) as T } export interface NationSingleSelectorProps { open: boolean onOpenChange: (open: boolean) => void selectedNation?: NationCode onNationSelect: (nation: NationCode) => void onConfirm?: (nation: NationCode | undefined) => void onCancel?: () => void searchOptions?: Partial title?: string description?: string showConfirmButtons?: boolean } export function NationSingleSelector({ open, onOpenChange, selectedNation, onNationSelect, onConfirm, onCancel, searchOptions = {}, title = "국가 선택", description = "국가를 선택하세요", showConfirmButtons = false }: NationSingleSelectorProps) { const [nations, setNations] = useState([]) const [sorting, setSorting] = useState([]) const [columnFilters, setColumnFilters] = useState([]) const [columnVisibility, setColumnVisibility] = useState({}) const [rowSelection, setRowSelection] = useState({}) const [globalFilter, setGlobalFilter] = useState('') const [isPending, startTransition] = useTransition() const [tempSelectedNation, setTempSelectedNation] = useState(selectedNation) // searchOptions 안정화 const stableSearchOptions = useMemo(() => ({ limit: 100, ...searchOptions }), [searchOptions]) // 국가 선택 핸들러 const handleNationSelect = useCallback((nation: NationCode) => { if (showConfirmButtons) { setTempSelectedNation(nation) } else { onNationSelect(nation) onOpenChange(false) } }, [onNationSelect, onOpenChange, showConfirmButtons]) // 확인 버튼 핸들러 const handleConfirm = useCallback(() => { if (tempSelectedNation) { onNationSelect(tempSelectedNation) } onConfirm?.(tempSelectedNation) onOpenChange(false) }, [tempSelectedNation, onNationSelect, onConfirm, onOpenChange]) // 취소 버튼 핸들러 const handleCancel = useCallback(() => { setTempSelectedNation(selectedNation) onCancel?.() onOpenChange(false) }, [selectedNation, onCancel, onOpenChange]) // 테이블 컬럼 정의 const columns: ColumnDef[] = useMemo(() => [ { accessorKey: 'CD', header: '2글자코드', cell: ({ row }) => (
{row.getValue('CD')}
), }, { accessorKey: 'CD2', header: '3글자코드', cell: ({ row }) => (
{row.getValue('CD2')}
), }, { accessorKey: 'CD3', header: '숫자코드', cell: ({ row }) => (
{row.getValue('CD3')}
), }, { accessorKey: 'CDNM', header: '한국어명', cell: ({ row }) => (
{row.getValue('CDNM')}
), }, { accessorKey: 'GRP_DSC', header: '영문명', cell: ({ row }) => (
{row.getValue('GRP_DSC')}
), }, { id: 'actions', header: '선택', cell: ({ row }) => { const isSelected = showConfirmButtons ? tempSelectedNation?.CD === row.original.CD : selectedNation?.CD === row.original.CD return ( ) }, }, ], [handleNationSelect, selectedNation, tempSelectedNation, showConfirmButtons]) // 국가 테이블 설정 const table = useReactTable({ data: nations, columns, onSortingChange: setSorting, onColumnFiltersChange: setColumnFilters, onColumnVisibilityChange: setColumnVisibility, onRowSelectionChange: setRowSelection, onGlobalFilterChange: setGlobalFilter, getCoreRowModel: getCoreRowModel(), getPaginationRowModel: getPaginationRowModel(), getSortedRowModel: getSortedRowModel(), getFilteredRowModel: getFilteredRowModel(), state: { sorting, columnFilters, columnVisibility, rowSelection, globalFilter, }, }) // 서버 액션을 사용한 국가 목록 로드 const loadNations = useCallback(async (searchTerm?: string) => { startTransition(async () => { try { const result = await getNationCodes({ ...stableSearchOptions, searchTerm: searchTerm }) if (result.success) { setNations(result.data) } else { toast.error(result.error || '국가코드를 불러오는데 실패했습니다.') setNations([]) } } catch (error) { console.error('국가코드 목록 로드 실패:', error) toast.error('국가코드를 불러오는 중 오류가 발생했습니다.') setNations([]) } }) }, [stableSearchOptions]) // 디바운스된 검색 const debouncedSearch = useMemo( () => debounce((searchTerm: string) => { loadNations(searchTerm) }, 300), [loadNations] ) // 다이얼로그 열기/닫기 핸들러 const handleDialogOpenChange = useCallback((newOpen: boolean) => { onOpenChange(newOpen) if (newOpen) { setTempSelectedNation(selectedNation) if (nations.length === 0) { loadNations() } } }, [onOpenChange, selectedNation, loadNations, nations.length]) // 검색어 변경 핸들러 const handleSearchChange = useCallback((value: string) => { setGlobalFilter(value) if (open) { debouncedSearch(value) } }, [open, debouncedSearch]) const currentSelectedNation = showConfirmButtons ? tempSelectedNation : selectedNation return ( {title}
{description}
{/* 현재 선택된 국가 표시 */} {currentSelectedNation && (
선택된 국가:
[{currentSelectedNation.CD}] {currentSelectedNation.CDNM} ({currentSelectedNation.GRP_DSC})
)}
handleSearchChange(e.target.value)} className="flex-1" />
{isPending ? (
국가코드를 불러오는 중...
) : (
{table.getHeaderGroups().map((headerGroup) => ( {headerGroup.headers.map((header) => ( {header.isPlaceholder ? null : flexRender( header.column.columnDef.header, header.getContext() )} ))} ))} {table.getRowModel().rows?.length ? ( table.getRowModel().rows.map((row) => { const isRowSelected = currentSelectedNation?.CD === row.original.CD return ( handleNationSelect(row.original)} > {row.getVisibleCells().map((cell) => ( {flexRender( cell.column.columnDef.cell, cell.getContext() )} ))} ) }) ) : ( 검색 결과가 없습니다. )}
)}
총 {table.getFilteredRowModel().rows.length}개 국가
{table.getState().pagination.pageIndex + 1} / {table.getPageCount()}
{showConfirmButtons && ( )}
) }