Files
sam-react-prod/src/components/accounting/BankTransactionInquiry/index.tsx
byeongcheolryu e56b7d53a4 fix(WEB): 토큰 만료 시 무한 로딩 대신 로그인 리다이렉트 처리
- 52개 이상의 컴포넌트에 isNextRedirectError 처리 추가
- Server Action의 redirect() 에러가 catch 블록에서 삼켜지는 문제 해결
- access_token + refresh_token 모두 만료 시 정상적으로 로그인 페이지로 리다이렉트

수정된 영역:
- accounting: 10개 컴포넌트
- production: 12개 컴포넌트
- hr: 5개 컴포넌트
- settings: 8개 컴포넌트
- approval: 5개 컴포넌트
- items: 20개+ 컴포넌트
- board: 5개 컴포넌트
- quality: 4개 컴포넌트
- material, outbound, quotes 등 기타 컴포넌트

Co-Authored-By: Claude <noreply@anthropic.com>
2026-01-11 17:19:11 +09:00

497 lines
17 KiB
TypeScript

'use client';
import { useState, useMemo, useCallback, useEffect } from 'react';
import { useRouter } from 'next/navigation';
import { format, startOfMonth, endOfMonth } from 'date-fns';
import {
Building2,
Pencil,
RefreshCw,
Loader2,
} from 'lucide-react';
import { Button } from '@/components/ui/button';
import { Checkbox } from '@/components/ui/checkbox';
import { Badge } from '@/components/ui/badge';
import { TableRow, TableCell } from '@/components/ui/table';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import {
IntegratedListTemplateV2,
type TableColumn,
type StatCard,
} from '@/components/templates/IntegratedListTemplateV2';
import { DateRangeSelector } from '@/components/molecules/DateRangeSelector';
import { ListMobileCard, InfoField } from '@/components/organisms/ListMobileCard';
import type {
BankTransaction,
SortOption,
} from './types';
import {
TRANSACTION_KIND_LABELS,
DEPOSIT_TYPE_LABELS,
WITHDRAWAL_TYPE_LABELS,
SORT_OPTIONS,
TRANSACTION_TYPE_FILTER_OPTIONS,
} from './types';
import { getBankTransactionList, getBankTransactionSummary, getBankAccountOptions } from './actions';
import { isNextRedirectError } from '@/lib/utils/redirect-error';
// ===== Props =====
interface BankTransactionInquiryProps {
initialData?: BankTransaction[];
initialSummary?: {
totalDeposit: number;
totalWithdrawal: number;
depositUnsetCount: number;
withdrawalUnsetCount: number;
};
initialPagination?: {
currentPage: number;
lastPage: number;
perPage: number;
total: number;
};
}
export function BankTransactionInquiry({
initialData = [],
initialSummary,
initialPagination,
}: BankTransactionInquiryProps) {
const router = useRouter();
// ===== 상태 관리 =====
const [searchQuery, setSearchQuery] = useState('');
const [sortOption, setSortOption] = useState<SortOption>('latest');
const [accountFilter, setAccountFilter] = useState<string>('all'); // 결제계좌 필터
const [transactionTypeFilter, setTransactionTypeFilter] = useState<string>('all'); // 입출금유형 필터
const [selectedItems, setSelectedItems] = useState<Set<string>>(new Set());
const [currentPage, setCurrentPage] = useState(initialPagination?.currentPage || 1);
const itemsPerPage = 20;
const [isLoading, setIsLoading] = useState(!initialData.length);
// 날짜 범위 상태
const [startDate, setStartDate] = useState(() => format(startOfMonth(new Date()), 'yyyy-MM-dd'));
const [endDate, setEndDate] = useState(() => format(endOfMonth(new Date()), 'yyyy-MM-dd'));
// 데이터 상태
const [data, setData] = useState<BankTransaction[]>(initialData);
const [summary, setSummary] = useState(
initialSummary || { totalDeposit: 0, totalWithdrawal: 0, depositUnsetCount: 0, withdrawalUnsetCount: 0 }
);
const [pagination, setPagination] = useState(
initialPagination || { currentPage: 1, lastPage: 1, perPage: 20, total: 0 }
);
const [accountOptions, setAccountOptions] = useState<{ value: string; label: string }[]>([
{ value: 'all', label: '전체' }
]);
// ===== 데이터 로드 =====
const loadData = useCallback(async () => {
setIsLoading(true);
try {
// 정렬 옵션 매핑
const sortMapping: Record<SortOption, { sortBy: string; sortDir: 'asc' | 'desc' }> = {
latest: { sortBy: 'transaction_date', sortDir: 'desc' },
oldest: { sortBy: 'transaction_date', sortDir: 'asc' },
amountHigh: { sortBy: 'amount', sortDir: 'desc' },
amountLow: { sortBy: 'amount', sortDir: 'asc' },
};
const sortParams = sortMapping[sortOption];
const [listResult, summaryResult, accountsResult] = await Promise.all([
getBankTransactionList({
page: currentPage,
perPage: itemsPerPage,
startDate,
endDate,
bankAccountId: accountFilter !== 'all' ? parseInt(accountFilter, 10) : undefined,
transactionType: transactionTypeFilter !== 'all' ? transactionTypeFilter : undefined,
search: searchQuery || undefined,
sortBy: sortParams.sortBy,
sortDir: sortParams.sortDir,
}),
getBankTransactionSummary({ startDate, endDate }),
getBankAccountOptions(),
]);
if (listResult.success) {
setData(listResult.data);
setPagination(listResult.pagination);
}
if (summaryResult.success && summaryResult.data) {
setSummary(summaryResult.data);
}
if (accountsResult.success) {
setAccountOptions([
{ value: 'all', label: '전체' },
...accountsResult.data.map(acc => ({ value: String(acc.id), label: acc.label }))
]);
}
} catch (error) {
if (isNextRedirectError(error)) throw error;
console.error('[BankTransactionInquiry] loadData error:', error);
} finally {
setIsLoading(false);
}
}, [currentPage, startDate, endDate, accountFilter, transactionTypeFilter, searchQuery, sortOption]);
// 데이터 로드 (필터 변경 시)
useEffect(() => {
loadData();
}, [loadData]);
// ===== 체크박스 핸들러 =====
const toggleSelection = useCallback((id: string) => {
setSelectedItems(prev => {
const newSet = new Set(prev);
if (newSet.has(id)) newSet.delete(id);
else newSet.add(id);
return newSet;
});
}, []);
// ===== 데이터 (서버 사이드 필터링/정렬/페이지네이션) =====
// 필터링, 정렬, 페이지네이션은 서버에서 처리됨
const totalPages = pagination.lastPage;
// ===== 전체 선택 핸들러 =====
const toggleSelectAll = useCallback(() => {
if (selectedItems.size === data.length && data.length > 0) {
setSelectedItems(new Set());
} else {
setSelectedItems(new Set(data.map(item => item.id)));
}
}, [selectedItems.size, data]);
// ===== 수정 버튼 클릭 (상세 이동) =====
const handleEditClick = useCallback((item: BankTransaction) => {
if (item.type === 'deposit') {
router.push(`/ko/accounting/deposits/${item.sourceId}?mode=edit`);
} else {
router.push(`/ko/accounting/withdrawals/${item.sourceId}?mode=edit`);
}
}, [router]);
// 새로고침 핸들러
const handleRefresh = useCallback(() => {
loadData();
}, [loadData]);
// ===== 통계 카드 =====
const statCards: StatCard[] = useMemo(() => {
return [
{ label: '입금', value: `${summary.totalDeposit.toLocaleString()}`, icon: Building2, iconColor: 'text-blue-500' },
{ label: '출금', value: `${summary.totalWithdrawal.toLocaleString()}`, icon: Building2, iconColor: 'text-red-500' },
{ label: '입금 유형 미설정', value: `${summary.depositUnsetCount}`, icon: Building2, iconColor: 'text-green-500' },
{ label: '출금 유형 미설정', value: `${summary.withdrawalUnsetCount}`, icon: Building2, iconColor: 'text-orange-500' },
];
}, [summary]);
// ===== 테이블 컬럼 (14개) =====
const tableColumns: TableColumn[] = useMemo(() => [
{ key: 'bankName', label: '은행명' },
{ key: 'accountName', label: '계좌명' },
{ key: 'transactionDate', label: '거래일시' },
{ key: 'type', label: '구분', className: 'text-center' },
{ key: 'note', label: '적요' },
{ key: 'vendorName', label: '거래처' },
{ key: 'depositorName', label: '입금자/수취인' },
{ key: 'depositAmount', label: '입금', className: 'text-right' },
{ key: 'withdrawalAmount', label: '출금', className: 'text-right' },
{ key: 'balance', label: '잔액', className: 'text-right' },
{ key: 'transactionType', label: '입출금 유형', className: 'text-center' },
{ key: 'actions', label: '작업', className: 'text-center w-[80px]' },
], []);
// ===== 유형 라벨 가져오기 =====
const getTransactionTypeLabel = useCallback((item: BankTransaction) => {
if (!item.transactionType) return '미설정';
if (item.type === 'deposit') {
return DEPOSIT_TYPE_LABELS[item.transactionType as keyof typeof DEPOSIT_TYPE_LABELS] || item.transactionType;
}
return WITHDRAWAL_TYPE_LABELS[item.transactionType as keyof typeof WITHDRAWAL_TYPE_LABELS] || item.transactionType;
}, []);
// ===== 테이블 행 렌더링 =====
const renderTableRow = useCallback((item: BankTransaction, index: number, globalIndex: number) => {
const isSelected = selectedItems.has(item.id);
const isTypeUnset = item.transactionType === 'unset';
return (
<TableRow
key={item.id}
className="hover:bg-muted/50"
>
{/* 체크박스 */}
<TableCell className="text-center" onClick={(e) => e.stopPropagation()}>
<Checkbox checked={isSelected} onCheckedChange={() => toggleSelection(item.id)} />
</TableCell>
{/* 번호 */}
<TableCell className="text-center">{globalIndex}</TableCell>
{/* 은행명 */}
<TableCell>{item.bankName}</TableCell>
{/* 계좌명 */}
<TableCell>{item.accountName}</TableCell>
{/* 거래일시 */}
<TableCell>{item.transactionDate}</TableCell>
{/* 구분 */}
<TableCell className="text-center">
<Badge
variant="outline"
className={item.type === 'deposit'
? 'border-blue-300 text-blue-600 bg-blue-50'
: 'border-red-300 text-red-600 bg-red-50'
}
>
{TRANSACTION_KIND_LABELS[item.type]}
</Badge>
</TableCell>
{/* 적요 */}
<TableCell className="text-gray-500">{item.note || '-'}</TableCell>
{/* 거래처 */}
<TableCell>{item.vendorName || '-'}</TableCell>
{/* 입금자/수취인 */}
<TableCell>{item.depositorName || '-'}</TableCell>
{/* 입금 */}
<TableCell className="text-right font-medium text-blue-600">
{item.depositAmount > 0 ? item.depositAmount.toLocaleString() : '-'}
</TableCell>
{/* 출금 */}
<TableCell className="text-right font-medium text-red-600">
{item.withdrawalAmount > 0 ? item.withdrawalAmount.toLocaleString() : '-'}
</TableCell>
{/* 잔액 */}
<TableCell className="text-right font-medium">
{item.balance.toLocaleString()}
</TableCell>
{/* 입출금 유형 */}
<TableCell className="text-center">
<Badge
variant="outline"
className={isTypeUnset ? 'border-red-300 text-red-500 bg-red-50' : ''}
>
{getTransactionTypeLabel(item)}
</Badge>
</TableCell>
{/* 작업 */}
<TableCell className="text-center" onClick={(e) => e.stopPropagation()}>
{isSelected && (
<Button
variant="ghost"
size="icon"
className="h-8 w-8 text-gray-600 hover:text-gray-700 hover:bg-gray-50"
onClick={() => handleEditClick(item)}
>
<Pencil className="h-4 w-4" />
</Button>
)}
</TableCell>
</TableRow>
);
}, [selectedItems, toggleSelection, handleEditClick, getTransactionTypeLabel]);
// ===== 모바일 카드 렌더링 =====
const renderMobileCard = useCallback((
item: BankTransaction,
index: number,
globalIndex: number,
isSelected: boolean,
onToggle: () => void
) => {
return (
<ListMobileCard
id={item.id}
title={`${item.bankName} - ${item.accountName}`}
headerBadges={
<>
<Badge
variant="outline"
className={item.type === 'deposit'
? 'border-blue-300 text-blue-600 bg-blue-50'
: 'border-red-300 text-red-600 bg-red-50'
}
>
{TRANSACTION_KIND_LABELS[item.type]}
</Badge>
<Badge variant="outline">
{getTransactionTypeLabel(item)}
</Badge>
</>
}
isSelected={isSelected}
onToggleSelection={onToggle}
infoGrid={
<div className="grid grid-cols-2 gap-3">
<InfoField label="거래일시" value={item.transactionDate} />
<InfoField label="거래처" value={item.vendorName || '-'} />
<InfoField
label="입금"
value={item.depositAmount > 0 ? `${item.depositAmount.toLocaleString()}` : '-'}
/>
<InfoField
label="출금"
value={item.withdrawalAmount > 0 ? `${item.withdrawalAmount.toLocaleString()}` : '-'}
/>
<InfoField label="잔액" value={`${item.balance.toLocaleString()}`} />
<InfoField label="입금자/수취인" value={item.depositorName || '-'} />
</div>
}
actions={
isSelected ? (
<Button variant="outline" className="w-full" onClick={() => handleEditClick(item)}>
<Pencil className="w-4 h-4 mr-2" />
</Button>
) : undefined
}
/>
);
}, [handleEditClick, getTransactionTypeLabel]);
// ===== 헤더 액션 (날짜 선택만) =====
const headerActions = (
<DateRangeSelector
startDate={startDate}
endDate={endDate}
onStartDateChange={setStartDate}
onEndDateChange={setEndDate}
/>
);
// ===== 테이블 상단 새로고침 버튼 (출금관리 스타일) =====
const beforeTableContent = (
<div className="flex items-center justify-end w-full">
<Button
variant="outline"
onClick={handleRefresh}
disabled={isLoading}
>
{isLoading ? (
<Loader2 className="h-4 w-4 mr-2 animate-spin" />
) : (
<RefreshCw className="h-4 w-4 mr-2" />
)}
</Button>
</div>
);
// ===== 테이블 헤더 액션 (3개 필터) =====
const tableHeaderActions = (
<div className="flex items-center gap-2 flex-wrap">
{/* 결제계좌 필터 */}
<Select value={accountFilter} onValueChange={setAccountFilter}>
<SelectTrigger className="w-[180px]">
<SelectValue placeholder="결제계좌" />
</SelectTrigger>
<SelectContent>
{accountOptions.map((option) => (
<SelectItem key={option.value} value={option.value}>
{option.label}
</SelectItem>
))}
</SelectContent>
</Select>
{/* 입출금유형 필터 */}
<Select value={transactionTypeFilter} onValueChange={setTransactionTypeFilter}>
<SelectTrigger className="w-[130px]">
<SelectValue placeholder="입출금유형" />
</SelectTrigger>
<SelectContent>
{TRANSACTION_TYPE_FILTER_OPTIONS.map((option) => (
<SelectItem key={option.value} value={option.value}>
{option.label}
</SelectItem>
))}
</SelectContent>
</Select>
{/* 정렬 */}
<Select value={sortOption} onValueChange={(value) => setSortOption(value as SortOption)}>
<SelectTrigger className="w-[120px]">
<SelectValue placeholder="정렬" />
</SelectTrigger>
<SelectContent>
{SORT_OPTIONS.map((option) => (
<SelectItem key={option.value} value={option.value}>
{option.label}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
);
// ===== 테이블 합계 계산 =====
const tableTotals = useMemo(() => {
const totalDeposit = data.reduce((sum, item) => sum + item.depositAmount, 0);
const totalWithdrawal = data.reduce((sum, item) => sum + item.withdrawalAmount, 0);
return { totalDeposit, totalWithdrawal };
}, [data]);
// ===== 테이블 하단 합계 행 =====
const tableFooter = (
<TableRow className="bg-muted/50 font-medium">
<TableCell className="text-center"></TableCell>
<TableCell className="font-bold"></TableCell>
<TableCell></TableCell>
<TableCell></TableCell>
<TableCell></TableCell>
<TableCell></TableCell>
<TableCell></TableCell>
<TableCell></TableCell>
<TableCell></TableCell>
<TableCell className="text-right font-bold text-blue-600">
{tableTotals.totalDeposit.toLocaleString()}
</TableCell>
<TableCell className="text-right font-bold text-red-600">
{tableTotals.totalWithdrawal.toLocaleString()}
</TableCell>
<TableCell></TableCell>
<TableCell></TableCell>
<TableCell></TableCell>
</TableRow>
);
return (
<IntegratedListTemplateV2
title="입출금 계좌조회"
description="은행 계좌 정보와 입출금 내역을 조회할 수 있습니다"
icon={Building2}
headerActions={headerActions}
stats={statCards}
searchValue={searchQuery}
onSearchChange={setSearchQuery}
searchPlaceholder="은행명, 계좌명, 거래처, 입금자/수취인 검색..."
beforeTableContent={beforeTableContent}
tableHeaderActions={tableHeaderActions}
tableColumns={tableColumns}
tableFooter={tableFooter}
data={data}
totalCount={pagination.total}
allData={data}
selectedItems={selectedItems}
onToggleSelection={toggleSelection}
onToggleSelectAll={toggleSelectAll}
getItemId={(item: BankTransaction) => item.id}
renderTableRow={renderTableRow}
renderMobileCard={renderMobileCard}
pagination={{
currentPage,
totalPages,
totalItems: pagination.total,
itemsPerPage,
onPageChange: setCurrentPage,
}}
/>
);
}