feat: 신규 페이지 구현 및 HR/설정 기능 개선

신규 페이지:
- 회계관리: 거래처, 예상비용, 청구서, 발주서
- 게시판: 공지사항, 자료실, 커뮤니티
- 고객센터: 문의/FAQ
- 설정: 계정, 알림, 출퇴근, 팝업, 구독, 결제내역
- 리포트 (차트 시각화)
- 개발자 테스트 URL 페이지

기능 개선:
- HR 직원관리/휴가관리/카드관리 강화
- IntegratedListTemplateV2 확장
- AuthenticatedLayout 패딩 표준화
- 로그인 페이지 UI 개선

🤖 Generated with [Claude Code](https://claude.com/claude-code)

Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
This commit is contained in:
byeongcheolryu
2025-12-19 19:12:34 +09:00
parent d742c0ce26
commit c6b605200d
213 changed files with 32644 additions and 775 deletions

View File

@@ -151,6 +151,30 @@ export function EmployeeDetail({ employee, onEdit, onDelete }: EmployeeDetailPro
</dd>
</div>
)}
{employee.clockInLocation && (
<div>
<dt className="text-sm font-medium text-muted-foreground"> </dt>
<dd className="text-sm mt-1">{employee.clockInLocation}</dd>
</div>
)}
{employee.clockOutLocation && (
<div>
<dt className="text-sm font-medium text-muted-foreground"> </dt>
<dd className="text-sm mt-1">{employee.clockOutLocation}</dd>
</div>
)}
{employee.concurrentPosition && (
<div>
<dt className="text-sm font-medium text-muted-foreground"></dt>
<dd className="text-sm mt-1">{employee.concurrentPosition}</dd>
</div>
)}
{employee.concurrentReason && (
<div>
<dt className="text-sm font-medium text-muted-foreground"></dt>
<dd className="text-sm mt-1">{employee.concurrentReason}</dd>
</div>
)}
</dl>
</CardContent>
</Card>

View File

@@ -1,8 +1,7 @@
'use client';
import { useState, useEffect, useRef } from 'react';
import { useState, useEffect } from 'react';
import { useRouter } from 'next/navigation';
import Image from 'next/image';
import { PageLayout } from '@/components/organisms/PageLayout';
import { PageHeader } from '@/components/organisms/PageHeader';
import { Card, CardContent, CardHeader, CardTitle } from '@/components/ui/card';
@@ -16,8 +15,9 @@ import {
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import { Switch } from '@/components/ui/switch';
import { Users, Plus, Trash2, ArrowLeft, Save, Camera, User } from 'lucide-react';
import { Users, Plus, Trash2, ArrowLeft, Save, Settings, Camera } from 'lucide-react';
import { RadioGroup, RadioGroupItem } from '@/components/ui/radio-group';
import { FieldSettingsDialog } from './FieldSettingsDialog';
import type {
Employee,
EmployeeFormData,
@@ -56,6 +56,10 @@ const initialFormData: EmployeeFormData = {
rank: '',
status: 'active',
departmentPositions: [],
clockInLocation: '',
clockOutLocation: '',
resignationDate: '',
resignationReason: '',
hasUserAccount: false,
userId: '',
password: '',
@@ -68,15 +72,35 @@ export function EmployeeForm({
mode,
employee,
onSave,
fieldSettings = DEFAULT_FIELD_SETTINGS,
fieldSettings: initialFieldSettings = DEFAULT_FIELD_SETTINGS,
}: EmployeeFormProps) {
const router = useRouter();
const [formData, setFormData] = useState<EmployeeFormData>(initialFormData);
const [previewImage, setPreviewImage] = useState<string | null>(null);
const fileInputRef = useRef<HTMLInputElement>(null);
// 항목 설정 상태
const [showFieldSettings, setShowFieldSettings] = useState(false);
const [fieldSettings, setFieldSettings] = useState<FieldSettings>(initialFieldSettings);
const title = mode === 'create' ? '사원 등록' : '사원 수정';
// localStorage에서 항목 설정 로드
useEffect(() => {
const saved = localStorage.getItem('employeeFieldSettings');
if (saved) {
try {
setFieldSettings(JSON.parse(saved));
} catch {
// ignore parse error
}
}
}, []);
// 항목 설정 저장
const handleSaveFieldSettings = (newSettings: FieldSettings) => {
setFieldSettings(newSettings);
localStorage.setItem('employeeFieldSettings', JSON.stringify(newSettings));
};
// 데이터 초기화
useEffect(() => {
if (employee && mode === 'edit') {
@@ -96,6 +120,10 @@ export function EmployeeForm({
rank: employee.rank || '',
status: employee.status,
departmentPositions: employee.departmentPositions || [],
clockInLocation: employee.clockInLocation || '',
clockOutLocation: employee.clockOutLocation || '',
resignationDate: employee.resignationDate || '',
resignationReason: employee.resignationReason || '',
hasUserAccount: !!employee.userInfo,
userId: employee.userInfo?.userId || '',
password: '',
@@ -155,35 +183,24 @@ export function EmployeeForm({
router.back();
};
// 프로필 이미지 업로드 핸들러
const handleImageUpload = (e: React.ChangeEvent<HTMLInputElement>) => {
const file = e.target.files?.[0];
if (file) {
const reader = new FileReader();
reader.onloadend = () => {
setPreviewImage(reader.result as string);
handleChange('profileImage', reader.result as string);
};
reader.readAsDataURL(file);
}
};
// 프로필 이미지 삭제 핸들러
const handleRemoveImage = () => {
setPreviewImage(null);
handleChange('profileImage', '');
if (fileInputRef.current) {
fileInputRef.current.value = '';
}
};
return (
<PageLayout>
<PageHeader
title={title}
description={mode === 'create' ? '새로운 사원 정보를 입력합니다' : '사원 정보를 수정합니다'}
icon={Users}
/>
{/* 헤더 + 버튼 영역 */}
<div className="flex items-start justify-between mb-6">
<PageHeader
title={title}
description={mode === 'create' ? '새로운 사원 정보를 입력합니다' : '사원 정보를 수정합니다'}
icon={Users}
/>
<Button
type="button"
variant="outline"
onClick={() => setShowFieldSettings(true)}
>
<Settings className="w-4 h-4 mr-2" />
</Button>
</div>
<form onSubmit={handleSubmit} className="space-y-6">
{/* 사원 정보 - 프로필 사진 + 기본 정보 */}
@@ -192,56 +209,8 @@ export function EmployeeForm({
<CardTitle className="text-base font-medium"> </CardTitle>
</CardHeader>
<CardContent className="pt-6">
<div className="flex flex-col md:flex-row gap-6">
{/* 프로필 사진 영역 */}
{fieldSettings.showProfileImage && (
<div className="flex flex-col items-center gap-3">
<div className="relative w-32 h-32 rounded-full border-2 border-dashed border-gray-300 bg-gray-50 flex items-center justify-center overflow-hidden">
{previewImage || formData.profileImage ? (
<Image
src={previewImage || formData.profileImage}
alt="프로필 사진"
fill
className="object-cover"
/>
) : (
<User className="w-12 h-12 text-gray-400" />
)}
</div>
<div className="flex gap-2">
<input
ref={fileInputRef}
type="file"
accept="image/*"
onChange={handleImageUpload}
className="hidden"
id="profile-image-input"
/>
<Button
type="button"
variant="outline"
size="sm"
onClick={() => fileInputRef.current?.click()}
>
<Camera className="w-4 h-4 mr-1" />
</Button>
{(previewImage || formData.profileImage) && (
<Button
type="button"
variant="ghost"
size="sm"
onClick={handleRemoveImage}
>
<Trash2 className="w-4 h-4" />
</Button>
)}
</div>
</div>
)}
{/* 기본 정보 필드들 */}
<div className="flex-1 grid grid-cols-1 md:grid-cols-2 gap-4">
{/* 기본 정보 필드들 */}
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="name"> *</Label>
<Input
@@ -294,7 +263,6 @@ export function EmployeeForm({
placeholder="연봉 (원)"
/>
</div>
</div>
</div>
{/* 급여 계좌 */}
@@ -321,77 +289,111 @@ export function EmployeeForm({
</CardContent>
</Card>
{/* 선택 정보 (사원 상세) */}
{(fieldSettings.showEmployeeCode || fieldSettings.showGender || fieldSettings.showAddress) && (
{/* 사원 상세 */}
{(fieldSettings.showProfileImage || fieldSettings.showEmployeeCode || fieldSettings.showGender || fieldSettings.showAddress) && (
<Card>
<CardHeader className="bg-black text-white rounded-t-lg">
<CardTitle className="text-base font-medium"> </CardTitle>
<CardTitle className="text-base font-medium"> </CardTitle>
</CardHeader>
<CardContent className="pt-6 space-y-4">
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
{fieldSettings.showEmployeeCode && (
<div className="space-y-2">
<Label htmlFor="employeeCode"></Label>
<Input
id="employeeCode"
value={formData.employeeCode}
onChange={(e) => handleChange('employeeCode', e.target.value)}
placeholder="자동생성 또는 직접입력"
/>
{/* 프로필 사진 + 사원코드/성별 */}
<div className="flex gap-6">
{/* 프로필 사진 영역 */}
{fieldSettings.showProfileImage && (
<div className="space-y-2 flex-shrink-0">
<Label> </Label>
<div className="w-32 h-32 border border-dashed border-gray-300 rounded-md flex flex-col items-center justify-center bg-gray-50 relative cursor-pointer hover:bg-gray-100">
<span className="text-sm text-gray-400 mb-1">IMG</span>
<div className="w-8 h-8 rounded-full bg-gray-200 flex items-center justify-center">
<Camera className="w-4 h-4 text-gray-500" />
</div>
<input
type="file"
accept="image/png,image/jpeg,image/gif"
className="absolute inset-0 opacity-0 cursor-pointer"
onChange={(e) => {
const file = e.target.files?.[0];
if (file) {
// TODO: 파일 업로드 처리
handleChange('profileImage', URL.createObjectURL(file));
}
}}
/>
</div>
<p className="text-xs text-gray-500">
1 250 X 250px, 10MB <br />PNG, JPEG, GIF
</p>
</div>
)}
{fieldSettings.showGender && (
<div className="space-y-2">
<Label htmlFor="gender"></Label>
<Select
value={formData.gender}
onValueChange={(value) => handleChange('gender', value)}
>
<SelectTrigger>
<SelectValue placeholder="성별 선택" />
</SelectTrigger>
<SelectContent>
{Object.entries(GENDER_LABELS).map(([value, label]) => (
<SelectItem key={value} value={value}>{label}</SelectItem>
))}
</SelectContent>
</Select>
</div>
)}
</div>
{/* 사원코드, 성별 */}
<div className="flex-1 space-y-4">
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
{fieldSettings.showEmployeeCode && (
<div className="space-y-2">
<Label htmlFor="employeeCode"></Label>
<Input
id="employeeCode"
value={formData.employeeCode}
onChange={(e) => handleChange('employeeCode', e.target.value)}
placeholder="사원코드를 입력해주세요"
/>
</div>
)}
{fieldSettings.showAddress && (
<div className="space-y-2">
<Label></Label>
<div className="flex gap-2">
<Input
value={formData.address.zipCode}
onChange={(e) => handleChange('address', { ...formData.address, zipCode: e.target.value })}
placeholder="우편번호"
className="w-32"
/>
<Button type="button" variant="outline" size="sm">
</Button>
{fieldSettings.showGender && (
<div className="space-y-2">
<Label></Label>
<RadioGroup
value={formData.gender}
onValueChange={(value) => handleChange('gender', value)}
className="flex items-center gap-4 h-10"
>
<div className="flex items-center space-x-2">
<RadioGroupItem value="male" id="gender-male" />
<Label htmlFor="gender-male" className="font-normal cursor-pointer"></Label>
</div>
<div className="flex items-center space-x-2">
<RadioGroupItem value="female" id="gender-female" />
<Label htmlFor="gender-female" className="font-normal cursor-pointer"></Label>
</div>
</RadioGroup>
</div>
)}
</div>
<Input
value={formData.address.address1}
onChange={(e) => handleChange('address', { ...formData.address, address1: e.target.value })}
placeholder="기본주소"
/>
<Input
value={formData.address.address2}
onChange={(e) => handleChange('address', { ...formData.address, address2: e.target.value })}
placeholder="상세주소"
/>
{/* 주소 (사원코드/성별 아래) */}
{fieldSettings.showAddress && (
<div className="space-y-2">
<Label></Label>
<div className="flex gap-2">
<Button type="button" variant="default" size="sm" className="bg-blue-500 hover:bg-blue-600">
</Button>
<Input
value={formData.address.zipCode}
onChange={(e) => handleChange('address', { ...formData.address, zipCode: e.target.value })}
placeholder=""
className="w-24"
readOnly
/>
<Input
value={formData.address.address2}
onChange={(e) => handleChange('address', { ...formData.address, address2: e.target.value })}
placeholder="상세주소를 입력해주세요"
className="flex-1"
/>
</div>
</div>
)}
</div>
)}
</div>
</CardContent>
</Card>
)}
{/* 인사 정보 */}
{(fieldSettings.showHireDate || fieldSettings.showEmploymentType || fieldSettings.showRank || fieldSettings.showStatus || fieldSettings.showDepartment || fieldSettings.showPosition || fieldSettings.showClockInLocation || fieldSettings.showClockOutLocation || fieldSettings.showResignationDate || fieldSettings.showResignationReason) && (
<Card>
<CardHeader className="bg-black text-white rounded-t-lg">
<CardTitle className="text-base font-medium"> </CardTitle>
@@ -511,104 +513,161 @@ export function EmployeeForm({
)}
</div>
)}
{/* 출근/퇴근 위치 */}
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
{fieldSettings.showClockInLocation && (
<div className="space-y-2">
<Label htmlFor="clockInLocation"> </Label>
<Select
value={formData.clockInLocation}
onValueChange={(value) => handleChange('clockInLocation', value)}
>
<SelectTrigger>
<SelectValue placeholder="출근 위치 선택" />
</SelectTrigger>
<SelectContent>
<SelectItem value="headquarters"></SelectItem>
<SelectItem value="branch1">1</SelectItem>
<SelectItem value="branch2">2</SelectItem>
<SelectItem value="remote"></SelectItem>
</SelectContent>
</Select>
</div>
)}
{fieldSettings.showClockOutLocation && (
<div className="space-y-2">
<Label htmlFor="clockOutLocation"> </Label>
<Select
value={formData.clockOutLocation}
onValueChange={(value) => handleChange('clockOutLocation', value)}
>
<SelectTrigger>
<SelectValue placeholder="퇴근 위치 선택" />
</SelectTrigger>
<SelectContent>
<SelectItem value="headquarters"></SelectItem>
<SelectItem value="branch1">1</SelectItem>
<SelectItem value="branch2">2</SelectItem>
<SelectItem value="remote"></SelectItem>
</SelectContent>
</Select>
</div>
)}
</div>
{/* 퇴사일/퇴직사유 */}
{(fieldSettings.showResignationDate || fieldSettings.showResignationReason) && (
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
{fieldSettings.showResignationDate && (
<div className="space-y-2">
<Label htmlFor="resignationDate"></Label>
<Input
id="resignationDate"
type="date"
value={formData.resignationDate}
onChange={(e) => handleChange('resignationDate', e.target.value)}
/>
</div>
)}
{fieldSettings.showResignationReason && (
<div className="space-y-2">
<Label htmlFor="resignationReason"></Label>
<Input
id="resignationReason"
value={formData.resignationReason}
onChange={(e) => handleChange('resignationReason', e.target.value)}
placeholder="퇴직 사유를 입력하세요"
/>
</div>
)}
</div>
)}
</CardContent>
</Card>
)}
{/* 사용자 정보 */}
<Card>
<CardHeader className="bg-black text-white rounded-t-lg">
<div className="flex items-center justify-between">
<CardTitle className="text-base font-medium"> </CardTitle>
<div className="flex items-center gap-2">
<Switch
id="hasUserAccount"
checked={formData.hasUserAccount}
onCheckedChange={(checked) => handleChange('hasUserAccount', checked)}
className="data-[state=checked]:bg-white data-[state=checked]:text-black"
<CardTitle className="text-base font-medium"> </CardTitle>
</CardHeader>
<CardContent className="pt-6">
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="userId"> *</Label>
<Input
id="userId"
value={formData.userId}
onChange={(e) => handleChange('userId', e.target.value)}
placeholder="사용자 아이디"
/>
<Label htmlFor="hasUserAccount" className="text-sm font-normal text-white">
</Label>
</div>
{mode === 'create' && (
<>
<div className="space-y-2">
<Label htmlFor="password"> *</Label>
<Input
id="password"
type="password"
value={formData.password}
onChange={(e) => handleChange('password', e.target.value)}
placeholder="비밀번호"
/>
</div>
<div className="space-y-2">
<Label htmlFor="confirmPassword"> </Label>
<Input
id="confirmPassword"
type="password"
value={formData.confirmPassword}
onChange={(e) => handleChange('confirmPassword', e.target.value)}
placeholder="비밀번호 확인"
/>
</div>
</>
)}
<div className="space-y-2">
<Label htmlFor="role"></Label>
<Select
value={formData.role}
onValueChange={(value) => handleChange('role', value)}
>
<SelectTrigger>
<SelectValue placeholder="권한 선택" />
</SelectTrigger>
<SelectContent>
{Object.entries(USER_ROLE_LABELS).map(([value, label]) => (
<SelectItem key={value} value={value}>{label}</SelectItem>
))}
</SelectContent>
</Select>
</div>
<div className="space-y-2">
<Label htmlFor="accountStatus"></Label>
<Select
value={formData.accountStatus}
onValueChange={(value) => handleChange('accountStatus', value)}
>
<SelectTrigger>
<SelectValue placeholder="상태 선택" />
</SelectTrigger>
<SelectContent>
{Object.entries(USER_ACCOUNT_STATUS_LABELS).map(([value, label]) => (
<SelectItem key={value} value={value}>{label}</SelectItem>
))}
</SelectContent>
</Select>
</div>
</div>
</CardHeader>
{formData.hasUserAccount && (
<CardContent className="pt-6">
<div className="grid grid-cols-1 md:grid-cols-2 gap-4">
<div className="space-y-2">
<Label htmlFor="userId"> *</Label>
<Input
id="userId"
value={formData.userId}
onChange={(e) => handleChange('userId', e.target.value)}
placeholder="사용자 아이디"
required={formData.hasUserAccount}
/>
</div>
{mode === 'create' && (
<>
<div className="space-y-2">
<Label htmlFor="password"> *</Label>
<Input
id="password"
type="password"
value={formData.password}
onChange={(e) => handleChange('password', e.target.value)}
placeholder="비밀번호"
required={formData.hasUserAccount}
/>
</div>
<div className="space-y-2">
<Label htmlFor="confirmPassword"> </Label>
<Input
id="confirmPassword"
type="password"
value={formData.confirmPassword}
onChange={(e) => handleChange('confirmPassword', e.target.value)}
placeholder="비밀번호 확인"
/>
</div>
</>
)}
<div className="space-y-2">
<Label htmlFor="role"></Label>
<Select
value={formData.role}
onValueChange={(value) => handleChange('role', value)}
>
<SelectTrigger>
<SelectValue placeholder="권한 선택" />
</SelectTrigger>
<SelectContent>
{Object.entries(USER_ROLE_LABELS).map(([value, label]) => (
<SelectItem key={value} value={value}>{label}</SelectItem>
))}
</SelectContent>
</Select>
</div>
<div className="space-y-2">
<Label htmlFor="accountStatus"></Label>
<Select
value={formData.accountStatus}
onValueChange={(value) => handleChange('accountStatus', value)}
>
<SelectTrigger>
<SelectValue placeholder="상태 선택" />
</SelectTrigger>
<SelectContent>
{Object.entries(USER_ACCOUNT_STATUS_LABELS).map(([value, label]) => (
<SelectItem key={value} value={value}>{label}</SelectItem>
))}
</SelectContent>
</Select>
</div>
</div>
</CardContent>
)}
</CardContent>
</Card>
{/* 버튼 영역 */}
@@ -623,6 +682,14 @@ export function EmployeeForm({
</Button>
</div>
</form>
{/* 항목 설정 모달 */}
<FieldSettingsDialog
open={showFieldSettings}
onOpenChange={setShowFieldSettings}
settings={fieldSettings}
onSave={handleSaveFieldSettings}
/>
</PageLayout>
);
}

View File

@@ -58,7 +58,7 @@ export function FieldSettingsDialog({
// 인사 정보 전체 토글
const hrInfoFields: (keyof FieldSettings)[] = [
'showHireDate', 'showEmploymentType', 'showRank', 'showStatus', 'showDepartment', 'showPosition'
'showHireDate', 'showEmploymentType', 'showRank', 'showStatus', 'showDepartment', 'showPosition', 'showClockInLocation', 'showClockOutLocation', 'showResignationDate', 'showResignationReason'
];
const isAllHrInfoOn = useMemo(() =>
hrInfoFields.every(key => localSettings[key]),
@@ -204,6 +204,42 @@ export function FieldSettingsDialog({
onCheckedChange={() => handleToggle('showPosition')}
/>
</div>
<div className="flex items-center justify-between">
<Label htmlFor="showClockInLocation"> </Label>
<Switch
id="showClockInLocation"
checked={localSettings.showClockInLocation}
onCheckedChange={() => handleToggle('showClockInLocation')}
/>
</div>
<div className="flex items-center justify-between">
<Label htmlFor="showClockOutLocation"> </Label>
<Switch
id="showClockOutLocation"
checked={localSettings.showClockOutLocation}
onCheckedChange={() => handleToggle('showClockOutLocation')}
/>
</div>
<div className="flex items-center justify-between">
<Label htmlFor="showResignationDate"></Label>
<Switch
id="showResignationDate"
checked={localSettings.showResignationDate}
onCheckedChange={() => handleToggle('showResignationDate')}
/>
</div>
<div className="flex items-center justify-between">
<Label htmlFor="showResignationReason"></Label>
<Switch
id="showResignationReason"
checked={localSettings.showResignationReason}
onCheckedChange={() => handleToggle('showResignationReason')}
/>
</div>
</div>
</Card>
</div>

View File

@@ -7,6 +7,13 @@ import { Badge } from '@/components/ui/badge';
import { Button } from '@/components/ui/button';
import { Checkbox } from '@/components/ui/checkbox';
import { TableRow, TableCell } from '@/components/ui/table';
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from '@/components/ui/select';
import {
AlertDialog,
AlertDialogAction,
@@ -23,6 +30,7 @@ import {
type TableColumn,
type StatCard,
} from '@/components/templates/IntegratedListTemplateV2';
import { DateRangeSelector } from '@/components/molecules/DateRangeSelector';
import { ListMobileCard, InfoField } from '@/components/organisms/ListMobileCard';
import { FieldSettingsDialog } from './FieldSettingsDialog';
import { UserInviteDialog } from './UserInviteDialog';
@@ -38,6 +46,33 @@ import {
USER_ROLE_LABELS,
} from './types';
// 필터 옵션 타입
type FilterOption = 'all' | 'hasUserId' | 'noUserId' | 'active' | 'leave' | 'resigned';
// 정렬 옵션 타입
type SortOption = 'rank' | 'hireDateDesc' | 'hireDateAsc' | 'departmentAsc' | 'departmentDesc' | 'nameAsc' | 'nameDesc';
// 필터 옵션 레이블
const FILTER_OPTIONS: { value: FilterOption; label: string }[] = [
{ value: 'all', label: '전체' },
{ value: 'hasUserId', label: '사용자 아이디 보유' },
{ value: 'noUserId', label: '사용자 아이디 미보유' },
{ value: 'active', label: '재직' },
{ value: 'leave', label: '휴직' },
{ value: 'resigned', label: '퇴직' },
];
// 정렬 옵션 레이블
const SORT_OPTIONS: { value: SortOption; label: string }[] = [
{ value: 'rank', label: '직급순' },
{ value: 'hireDateDesc', label: '입사일 최신순' },
{ value: 'hireDateAsc', label: '입사일 등록순' },
{ value: 'departmentAsc', label: '부서 오름차순' },
{ value: 'departmentDesc', label: '부서 내림차순' },
{ value: 'nameAsc', label: '이름 오름차순' },
{ value: 'nameDesc', label: '이름 내림차순' },
];
/**
* Mock 데이터 - 실제 API 연동 전 테스트용
*/
@@ -107,6 +142,7 @@ const mockEmployees: Employee[] = [
];
// 추가 mock 데이터 생성 (55명 재직, 5명 휴직, 1명 퇴직)
// SSR Hydration 오류 방지: Math.random(), new Date() 대신 고정값 사용
const generateMockEmployees = (): Employee[] => {
const employees: Employee[] = [...mockEmployees];
const departments = ['부서명'];
@@ -126,20 +162,20 @@ const generateMockEmployees = (): Employee[] => {
departmentPositions: [
{
id: String(i),
departmentId: `d${Math.floor(1 + Math.random() * 5)}`,
departmentId: `d${(i % 5) + 1}`,
departmentName: departments[0],
positionId: `p${Math.floor(1 + Math.random() * 3)}`,
positionName: positions[Math.floor(Math.random() * positions.length)],
positionId: `p${(i % 3) + 1}`,
positionName: positions[i % positions.length],
}
],
rank: ranks[0],
userInfo: Math.random() > 0.3 ? {
userInfo: i % 3 !== 0 ? {
userId: `abc`,
role: 'user',
accountStatus: 'active',
} : undefined,
createdAt: new Date().toISOString(),
updatedAt: new Date().toISOString(),
createdAt: '2025-01-01T00:00:00Z',
updatedAt: '2025-01-01T00:00:00Z',
});
}
return employees;
@@ -157,6 +193,14 @@ export function EmployeeManagement() {
const [currentPage, setCurrentPage] = useState(1);
const itemsPerPage = 20;
// 날짜 범위 상태 (Input type="date" 용)
const [startDate, setStartDate] = useState('2025-12-01');
const [endDate, setEndDate] = useState('2025-12-31');
// 필터 및 정렬 상태
const [filterOption, setFilterOption] = useState<FilterOption>('all');
const [sortOption, setSortOption] = useState<SortOption>('rank');
// 다이얼로그 상태
const [fieldSettingsOpen, setFieldSettingsOpen] = useState(false);
const [fieldSettings, setFieldSettings] = useState<FieldSettings>(DEFAULT_FIELD_SETTINGS);
@@ -174,6 +218,27 @@ export function EmployeeManagement() {
filtered = filtered.filter(e => e.status === activeTab);
}
// 셀렉트박스 필터
if (filterOption !== 'all') {
switch (filterOption) {
case 'hasUserId':
filtered = filtered.filter(e => e.userInfo?.userId);
break;
case 'noUserId':
filtered = filtered.filter(e => !e.userInfo?.userId);
break;
case 'active':
filtered = filtered.filter(e => e.status === 'active');
break;
case 'leave':
filtered = filtered.filter(e => e.status === 'leave');
break;
case 'resigned':
filtered = filtered.filter(e => e.status === 'resigned');
break;
}
}
// 검색 필터
if (searchValue) {
const search = searchValue.toLowerCase();
@@ -184,8 +249,36 @@ export function EmployeeManagement() {
);
}
// 정렬
filtered = [...filtered].sort((a, b) => {
switch (sortOption) {
case 'rank':
// 직급 순서 정의 (높은 직급이 먼저)
const rankOrder: Record<string, number> = { '회장': 1, '사장': 2, '부사장': 3, '전무': 4, '상무': 5, '이사': 6, '부장': 7, '차장': 8, '과장': 9, '대리': 10, '주임': 11, '사원': 12 };
return (rankOrder[a.rank || ''] || 99) - (rankOrder[b.rank || ''] || 99);
case 'hireDateDesc':
return new Date(b.hireDate || 0).getTime() - new Date(a.hireDate || 0).getTime();
case 'hireDateAsc':
return new Date(a.hireDate || 0).getTime() - new Date(b.hireDate || 0).getTime();
case 'departmentAsc':
const deptA = a.departmentPositions?.[0]?.departmentName || '';
const deptB = b.departmentPositions?.[0]?.departmentName || '';
return deptA.localeCompare(deptB, 'ko');
case 'departmentDesc':
const deptA2 = a.departmentPositions?.[0]?.departmentName || '';
const deptB2 = b.departmentPositions?.[0]?.departmentName || '';
return deptB2.localeCompare(deptA2, 'ko');
case 'nameAsc':
return a.name.localeCompare(b.name, 'ko');
case 'nameDesc':
return b.name.localeCompare(a.name, 'ko');
default:
return 0;
}
});
return filtered;
}, [employees, activeTab, searchValue]);
}, [employees, activeTab, filterOption, sortOption, searchValue]);
// 페이지네이션된 데이터
const paginatedData = useMemo(() => {
@@ -194,16 +287,18 @@ export function EmployeeManagement() {
}, [filteredEmployees, currentPage, itemsPerPage]);
// 통계 계산
// SSR Hydration 오류 방지: new Date() 대신 고정 날짜 사용
const stats = useMemo(() => {
const activeCount = employees.filter(e => e.status === 'active').length;
const leaveCount = employees.filter(e => e.status === 'leave').length;
const resignedCount = employees.filter(e => e.status === 'resigned').length;
const activeEmployees = employees.filter(e => e.status === 'active' && e.hireDate);
// 고정 기준일 사용 (SSR/CSR 일치)
const referenceDate = new Date('2025-12-16T00:00:00Z');
const totalTenure = activeEmployees.reduce((sum, e) => {
const hireDate = new Date(e.hireDate!);
const today = new Date();
const years = (today.getTime() - hireDate.getTime()) / (1000 * 60 * 60 * 24 * 365);
const years = (referenceDate.getTime() - hireDate.getTime()) / (1000 * 60 * 60 * 24 * 365);
return sum + years;
}, 0);
const averageTenure = activeEmployees.length > 0 ? totalTenure / activeEmployees.length : 0;
@@ -483,24 +578,65 @@ export function EmployeeManagement() {
);
}, [handleRowClick, handleEdit, openDeleteDialog]);
// 헤더 액션
// 헤더 액션 (DateRangeSelector + 버튼들)
const headerActions = (
<div className="flex items-center gap-2 flex-wrap">
<Button
variant="outline"
onClick={() => setUserInviteOpen(true)}
>
<Mail className="w-4 h-4 mr-2" />
</Button>
<Button variant="outline" onClick={handleCSVUpload}>
<Upload className="w-4 h-4 mr-2" />
CSV
</Button>
<Button onClick={handleAddEmployee}>
<Plus className="w-4 h-4 mr-2" />
</Button>
<DateRangeSelector
startDate={startDate}
endDate={endDate}
onStartDateChange={setStartDate}
onEndDateChange={setEndDate}
extraActions={
<>
<Button
variant="outline"
onClick={() => setUserInviteOpen(true)}
>
<Mail className="w-4 h-4 mr-2" />
</Button>
<Button variant="outline" onClick={handleCSVUpload}>
<Upload className="w-4 h-4 mr-2" />
CSV
</Button>
<Button onClick={handleAddEmployee}>
<Plus className="w-4 h-4 mr-2" />
</Button>
</>
}
/>
);
// 테이블 헤더 액션 (필터/정렬 셀렉트박스)
const tableHeaderActions = (
<div className="flex items-center gap-2">
{/* 필터 셀렉트박스 */}
<Select value={filterOption} onValueChange={(value) => setFilterOption(value as FilterOption)}>
<SelectTrigger className="w-[180px]">
<SelectValue placeholder="필터 선택" />
</SelectTrigger>
<SelectContent>
{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-[150px]">
<SelectValue placeholder="정렬 선택" />
</SelectTrigger>
<SelectContent>
{SORT_OPTIONS.map((option) => (
<SelectItem key={option.value} value={option.value}>
{option.label}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
);
@@ -521,6 +657,7 @@ export function EmployeeManagement() {
tabs={tabs}
activeTab={activeTab}
onTabChange={setActiveTab}
tableHeaderActions={tableHeaderActions}
tableColumns={tableColumns}
data={paginatedData}
totalCount={filteredEmployees.length}

View File

@@ -121,6 +121,10 @@ export interface Employee {
rank?: string; // 직급 (예: 사원, 대리, 과장 등)
status: EmployeeStatus;
departmentPositions: DepartmentPosition[]; // 부서/직책 (복수 가능)
clockInLocation?: string; // 출근 위치
clockOutLocation?: string; // 퇴근 위치
resignationDate?: string; // 퇴사일
resignationReason?: string; // 퇴직사유
// 사용자 정보 (시스템 계정)
userInfo?: UserInfo;
@@ -153,6 +157,10 @@ export interface EmployeeFormData {
rank: string;
status: EmployeeStatus;
departmentPositions: DepartmentPosition[];
clockInLocation: string; // 출근 위치
clockOutLocation: string; // 퇴근 위치
resignationDate: string; // 퇴사일
resignationReason: string; // 퇴직사유
// 사용자 정보
hasUserAccount: boolean;
@@ -179,6 +187,10 @@ export interface FieldSettings {
showStatus: boolean;
showDepartment: boolean;
showPosition: boolean;
showClockInLocation: boolean; // 출근 위치
showClockOutLocation: boolean; // 퇴근 위치
showResignationDate: boolean; // 퇴사일
showResignationReason: boolean; // 퇴직사유
}
export const DEFAULT_FIELD_SETTINGS: FieldSettings = {
@@ -192,6 +204,10 @@ export const DEFAULT_FIELD_SETTINGS: FieldSettings = {
showStatus: true,
showDepartment: true,
showPosition: true,
showClockInLocation: true,
showClockOutLocation: true,
showResignationDate: true,
showResignationReason: true,
};
// ===== 필터/검색 타입 =====