feat: 자재 관리 페이지 대규모 개선
Some checks failed
SonarQube Analysis / SonarQube Scan (push) Has been cancelled

- 파이프 수량 계산 로직 수정 (단관 개수가 아닌 실제 길이 기반 계산)
- UI 전면 개편 (DevonThink 스타일의 간결하고 세련된 디자인)
- 자재별 그룹핑 로직 개선:
  * 플랜지: 동일 사양별 그룹핑, WN 스케줄 표시, ORIFICE 풀네임 표시
  * 피팅: 상세 타입 표시 (니플 길이, 엘보 각도/연결, 티 타입, 리듀서 타입 등)
  * 밸브: 동일 사양별 그룹핑, 타입/연결방식/압력 표시
  * 볼트: 크기/재질/길이별 그룹핑 (8SET → 개별 집계)
  * 가스켓: 동일 사양별 그룹핑, 재질/상세내역/두께 분리 표시
  * UNKNOWN: 원본 설명 전체 표시, 동일 항목 그룹핑
- 전체 카테고리 버튼 제거 (표시 복잡도 감소)
- 카테고리별 동적 컬럼 헤더 및 레이아웃 적용
This commit is contained in:
Hyungi Ahn
2025-09-09 09:24:45 +09:00
parent 4f8e395f87
commit 83b90ef05c
101 changed files with 10841 additions and 4813 deletions

View File

@@ -1,157 +0,0 @@
import React from 'react';
const BOMFileTable = ({
files,
loading,
groupFilesByBOM,
handleViewMaterials,
openRevisionDialog,
handleDelete
}) => {
if (loading) {
return (
<div style={{ textAlign: 'center', padding: '40px' }}>
로딩 ...
</div>
);
}
if (files.length === 0) {
return (
<div style={{
background: '#bee3f8',
border: '1px solid #63b3ed',
borderRadius: '8px',
padding: '12px 16px',
color: '#2c5282'
}}>
업로드된 BOM이 없습니다.
</div>
);
}
return (
<div style={{
background: 'white',
borderRadius: '12px',
border: '1px solid #e2e8f0',
overflow: 'hidden'
}}>
<table style={{ width: '100%', borderCollapse: 'collapse' }}>
<thead>
<tr style={{ background: '#f7fafc' }}>
<th style={{ padding: '12px', textAlign: 'left', borderBottom: '1px solid #e2e8f0' }}>BOM 이름</th>
<th style={{ padding: '12px', textAlign: 'left', borderBottom: '1px solid #e2e8f0' }}>파일명</th>
<th style={{ padding: '12px', textAlign: 'left', borderBottom: '1px solid #e2e8f0' }}>리비전</th>
<th style={{ padding: '12px', textAlign: 'left', borderBottom: '1px solid #e2e8f0' }}>자재 </th>
<th style={{ padding: '12px', textAlign: 'left', borderBottom: '1px solid #e2e8f0' }}>업로드 일시</th>
<th style={{ padding: '12px', textAlign: 'left', borderBottom: '1px solid #e2e8f0' }}>작업</th>
</tr>
</thead>
<tbody>
{Object.entries(groupFilesByBOM()).map(([bomKey, bomFiles]) => (
bomFiles.map((file, index) => (
<tr
key={file.id}
style={{
backgroundColor: index === 0 ? 'rgba(25, 118, 210, 0.08)' : 'rgba(0, 0, 0, 0.02)'
}}
>
<td style={{ padding: '12px', borderBottom: '1px solid #e2e8f0' }}>
<div style={{
fontWeight: index === 0 ? 'bold' : 'normal',
fontSize: '14px'
}}>
{file.bom_name || bomKey}
</div>
{index === 0 && bomFiles.length > 1 && (
<div style={{
fontSize: '12px',
color: '#4299e1',
marginTop: '4px'
}}>
최신 리비전 ( {bomFiles.length})
</div>
)}
</td>
<td style={{ padding: '12px', borderBottom: '1px solid #e2e8f0', fontSize: '14px' }}>
{file.original_filename || file.filename}
</td>
<td style={{ padding: '12px', borderBottom: '1px solid #e2e8f0' }}>
<span style={{
background: index === 0 ? '#4299e1' : '#e2e8f0',
color: index === 0 ? 'white' : '#4a5568',
padding: '4px 8px',
borderRadius: '4px',
fontSize: '12px',
fontWeight: '600'
}}>
{file.revision || 'Rev.0'}
</span>
</td>
<td style={{ padding: '12px', borderBottom: '1px solid #e2e8f0', fontSize: '14px' }}>
{file.parsed_count || file.material_count || 0}
</td>
<td style={{ padding: '12px', borderBottom: '1px solid #e2e8f0', fontSize: '14px' }}>
{file.upload_date ? new Date(file.upload_date).toLocaleString('ko-KR') : '-'}
</td>
<td style={{ padding: '12px', borderBottom: '1px solid #e2e8f0' }}>
<div style={{ display: 'flex', gap: '8px', flexWrap: 'wrap' }}>
<button
onClick={() => handleViewMaterials(file)}
style={{
padding: '6px 12px',
background: '#48bb78',
color: 'white',
border: 'none',
borderRadius: '4px',
cursor: 'pointer',
fontSize: '12px'
}}
>
🧮 구매수량 계산
</button>
{index === 0 && (
<button
onClick={() => openRevisionDialog(file.bom_name || bomKey, file.id)}
style={{
padding: '6px 12px',
background: 'white',
color: '#4299e1',
border: '1px solid #4299e1',
borderRadius: '4px',
cursor: 'pointer',
fontSize: '12px'
}}
>
리비전
</button>
)}
<button
onClick={() => handleDelete(file.id)}
style={{
padding: '6px 12px',
background: '#f56565',
color: 'white',
border: 'none',
borderRadius: '4px',
cursor: 'pointer',
fontSize: '12px'
}}
>
삭제
</button>
</div>
</td>
</tr>
))
))}
</tbody>
</table>
</div>
);
};
export default BOMFileTable;

View File

@@ -116,3 +116,19 @@ const BOMFileUpload = ({
};
export default BOMFileUpload;

View File

@@ -464,7 +464,18 @@ function FileUpload({ selectedProject, onUploadSuccess }) {
<Box sx={{ mt: 2, display: 'flex', gap: 2, flexWrap: 'wrap' }}>
<Button
variant="contained"
onClick={() => window.location.href = '/materials'}
onClick={() => {
// 상태 기반 라우팅을 위한 이벤트 발생
window.dispatchEvent(new CustomEvent('navigateToMaterials', {
detail: {
jobNo: selectedProject?.job_no,
revision: uploadResult?.revision || 'Rev.0',
bomName: uploadResult?.original_filename || uploadResult?.filename,
message: '파일 업로드 완료',
file_id: uploadResult?.file_id // file_id 추가
}
}));
}}
startIcon={<Description />}
>
자재 목록 보기

View File

@@ -761,11 +761,18 @@ function MaterialList({ selectedProject }) {
</TableCell>
<TableCell align="center">
<Typography variant="h6" color="primary">
{material.quantity.toLocaleString()}
{material.classified_category === 'PIPE' ? (() => {
const bomLength = material.pipe_details?.total_length_mm || 0;
const pipeCount = material.pipe_details?.pipe_count || 0;
const cuttingLoss = pipeCount * 2;
const requiredLength = bomLength + cuttingLoss;
const pipesNeeded = Math.ceil(requiredLength / 6000);
return pipesNeeded.toLocaleString();
})() : material.quantity.toLocaleString()}
</Typography>
</TableCell>
<TableCell align="center">
<Chip label={material.unit} size="small" />
<Chip label={material.classified_category === 'PIPE' ? '본' : material.unit} size="small" />
</TableCell>
<TableCell align="center">
<Chip

View File

@@ -535,3 +535,19 @@
right: 12px;
}
}

View File

@@ -268,3 +268,19 @@ const NavigationBar = ({ currentPage, onNavigate }) => {
};
export default NavigationBar;

View File

@@ -248,3 +248,19 @@
.menu-section::-webkit-scrollbar-thumb:hover {
background: #a1a1a1;
}

View File

@@ -172,3 +172,19 @@ const NavigationMenu = ({ user, currentPage, onPageChange }) => {
};
export default NavigationMenu;

View File

@@ -0,0 +1,482 @@
import React, { useState, useEffect } from 'react';
import { api } from '../api';
const PersonalizedDashboard = () => {
const [user, setUser] = useState(null);
const [dashboardData, setDashboardData] = useState(null);
const [loading, setLoading] = useState(true);
const [recentActivities, setRecentActivities] = useState([]);
useEffect(() => {
loadUserData();
loadDashboardData();
loadRecentActivities();
}, []);
const loadUserData = () => {
const userData = localStorage.getItem('user_data');
if (userData) {
setUser(JSON.parse(userData));
}
};
const loadDashboardData = async () => {
try {
// 실제 API에서 대시보드 데이터 로드
const response = await api.get('/dashboard/stats');
if (response.data && response.data.success) {
// API 데이터와 목 데이터를 병합 (quickActions 등 누락된 필드 보완)
const mockData = generateMockDataByRole();
const mergedData = {
...mockData,
...response.data.stats,
// quickActions가 없으면 목 데이터의 것을 사용
quickActions: response.data.stats.quickActions || mockData?.quickActions || []
};
setDashboardData(mergedData);
} else {
// API 실패 시 목 데이터 사용
console.log('대시보드 API 응답이 없어 목 데이터를 사용합니다.');
const mockData = generateMockDataByRole();
setDashboardData(mockData);
}
} catch (error) {
console.log('대시보드 API가 구현되지 않아 목 데이터를 사용합니다:', error.response?.status);
// 에러 시 목 데이터 사용
const mockData = generateMockDataByRole();
setDashboardData(mockData);
} finally {
setLoading(false);
}
};
const loadRecentActivities = async () => {
try {
// 실제 API에서 활동 이력 로드
const response = await api.get('/dashboard/activities?limit=5');
if (response.data.success && response.data.activities.length > 0) {
setRecentActivities(response.data.activities);
} else {
// API 실패 시 목 데이터 사용
const mockActivities = generateMockActivitiesByRole();
setRecentActivities(mockActivities);
}
} catch (error) {
console.log('활동 이력 API가 구현되지 않아 목 데이터를 사용합니다:', error.response?.status);
// 에러 시 목 데이터 사용
const mockActivities = generateMockActivitiesByRole();
setRecentActivities(mockActivities);
}
};
const generateMockDataByRole = () => {
if (!user) return null;
const baseData = {
admin: {
title: "시스템 관리자",
subtitle: "전체 시스템을 관리하고 모니터링합니다",
metrics: [
{ label: "전체 프로젝트 수", value: 45, icon: "📋", color: "#667eea" },
{ label: "활성 사용자 수", value: 12, icon: "👥", color: "#48bb78" },
{ label: "시스템 상태", value: "정상", icon: "🟢", color: "#38b2ac" },
{ label: "오늘 업로드", value: 8, icon: "📤", color: "#ed8936" }
],
quickActions: [
{ title: "사용자 관리", icon: "👤", path: "/admin/users", color: "#667eea" },
{ title: "시스템 설정", icon: "⚙️", path: "/admin/settings", color: "#48bb78" },
{ title: "백업 관리", icon: "💾", path: "/admin/backup", color: "#ed8936" },
{ title: "활동 로그", icon: "📊", path: "/admin/logs", color: "#9f7aea" }
]
},
manager: {
title: "프로젝트 매니저",
subtitle: "팀 프로젝트를 관리하고 진행상황을 모니터링합니다",
metrics: [
{ label: "담당 프로젝트", value: 8, icon: "📋", color: "#667eea" },
{ label: "팀 진행률", value: "87%", icon: "📈", color: "#48bb78" },
{ label: "승인 대기", value: 3, icon: "⏳", color: "#ed8936" },
{ label: "이번 주 완료", value: 5, icon: "✅", color: "#38b2ac" }
],
quickActions: [
{ title: "프로젝트 생성", icon: "", path: "/projects/new", color: "#667eea" },
{ title: "팀 관리", icon: "👥", path: "/team", color: "#48bb78" },
{ title: "진행 상황", icon: "📊", path: "/progress", color: "#38b2ac" },
{ title: "승인 처리", icon: "✅", path: "/approvals", color: "#ed8936" }
]
},
designer: {
title: "설계 담당자",
subtitle: "BOM 파일을 관리하고 자재를 분류합니다",
metrics: [
{ label: "내 BOM 파일", value: 15, icon: "📄", color: "#667eea" },
{ label: "분류 완료율", value: "92%", icon: "🎯", color: "#48bb78" },
{ label: "검증 대기", value: 7, icon: "⏳", color: "#ed8936" },
{ label: "이번 주 업로드", value: 12, icon: "📤", color: "#9f7aea" }
],
quickActions: [
{ title: "BOM 업로드", icon: "📤", path: "/upload", color: "#667eea" },
{ title: "자재 분류", icon: "🔧", path: "/materials", color: "#48bb78" },
{ title: "리비전 관리", icon: "🔄", path: "/revisions", color: "#38b2ac" },
{ title: "분류 검증", icon: "✅", path: "/verify", color: "#ed8936" }
]
},
purchaser: {
title: "구매 담당자",
subtitle: "구매 요청을 처리하고 발주를 관리합니다",
metrics: [
{ label: "구매 요청", value: 23, icon: "🛒", color: "#667eea" },
{ label: "발주 완료", value: 18, icon: "✅", color: "#48bb78" },
{ label: "입고 대기", value: 5, icon: "📦", color: "#ed8936" },
{ label: "이번 달 금액", value: "₩2.3M", icon: "💰", color: "#9f7aea" }
],
quickActions: [
{ title: "구매 확정", icon: "🛒", path: "/purchase", color: "#667eea" },
{ title: "발주 관리", icon: "📋", path: "/orders", color: "#48bb78" },
{ title: "공급업체", icon: "🏢", path: "/suppliers", color: "#38b2ac" },
{ title: "입고 처리", icon: "📦", path: "/receiving", color: "#ed8936" }
]
},
user: {
title: "일반 사용자",
subtitle: "할당된 업무를 수행하고 프로젝트에 참여합니다",
metrics: [
{ label: "내 업무", value: 6, icon: "📋", color: "#667eea" },
{ label: "완료율", value: "75%", icon: "📈", color: "#48bb78" },
{ label: "대기 중", value: 2, icon: "⏳", color: "#ed8936" },
{ label: "이번 주 활동", value: 12, icon: "🎯", color: "#9f7aea" }
],
quickActions: [
{ title: "내 업무", icon: "📋", path: "/my-tasks", color: "#667eea" },
{ title: "프로젝트 보기", icon: "👁️", path: "/projects", color: "#48bb78" },
{ title: "리포트 다운로드", icon: "📊", path: "/reports", color: "#38b2ac" },
{ title: "도움말", icon: "❓", path: "/help", color: "#9f7aea" }
]
}
};
return baseData[user.role] || baseData.user;
};
const generateMockActivitiesByRole = () => {
if (!user) return [];
const activities = {
admin: [
{ type: "system", message: "새 사용자 3명이 등록되었습니다", time: "30분 전", icon: "👥" },
{ type: "backup", message: "일일 백업이 완료되었습니다", time: "2시간 전", icon: "💾" },
{ type: "alert", message: "시스템 리소스 사용률 85%", time: "4시간 전", icon: "⚠️" },
{ type: "update", message: "데이터베이스 인덱스가 최적화되었습니다", time: "6시간 전", icon: "🔧" }
],
manager: [
{ type: "approval", message: "냉동기 프로젝트 구매 승인 완료", time: "1시간 전", icon: "✅" },
{ type: "meeting", message: "주간 팀 미팅 일정이 등록되었습니다", time: "3시간 전", icon: "📅" },
{ type: "progress", message: "BOG 시스템 프로젝트 90% 진행", time: "5시간 전", icon: "📈" },
{ type: "task", message: "김설계님에게 새 업무가 할당되었습니다", time: "1일 전", icon: "👤" }
],
designer: [
{ type: "upload", message: "다이아프램 펌프 BOM 파일을 업로드했습니다", time: "45분 전", icon: "📤" },
{ type: "classify", message: "스테인리스 파이프 127개 자재 분류 완료", time: "2시간 전", icon: "🔧" },
{ type: "revision", message: "드라이어 시스템 Rev.2 업데이트", time: "4시간 전", icon: "🔄" },
{ type: "verify", message: "볼트 분류 검증 5건 완료", time: "1일 전", icon: "✅" }
],
purchaser: [
{ type: "purchase", message: "스테인리스 파이프 구매 확정", time: "20분 전", icon: "🛒" },
{ type: "order", message: "ABC 공급업체에 발주서 전송", time: "1시간 전", icon: "📋" },
{ type: "receive", message: "밸브 15개 입고 처리 완료", time: "3시간 전", icon: "📦" },
{ type: "quote", message: "새 견적서 3건 접수", time: "5시간 전", icon: "💰" }
],
user: [
{ type: "task", message: "자재 검증 업무 2건 완료", time: "1시간 전", icon: "✅" },
{ type: "view", message: "냉동기 프로젝트 진행상황 확인", time: "3시간 전", icon: "👁️" },
{ type: "download", message: "월간 리포트 다운로드", time: "6시간 전", icon: "📊" },
{ type: "help", message: "도움말 페이지 방문", time: "1일 전", icon: "❓" }
]
};
return activities[user.role] || activities.user;
};
const handleQuickAction = (action) => {
// 실제 네비게이션 구현 (향후)
console.log(`네비게이션: ${action.path}`);
alert(`${action.title} 기능은 곧 구현될 예정입니다.`);
};
const handleLogout = () => {
localStorage.removeItem('access_token');
localStorage.removeItem('user_data');
window.location.reload();
};
if (loading || !user || !dashboardData) {
return (
<div style={{
minHeight: '100vh',
display: 'flex',
alignItems: 'center',
justifyContent: 'center',
background: '#f7fafc'
}}>
<div style={{ textAlign: 'center' }}>
<div style={{ fontSize: '48px', marginBottom: '16px' }}></div>
<div>대시보드를 불러오는 ...</div>
</div>
</div>
);
}
return (
<div style={{
minHeight: '100vh',
background: '#f7fafc',
fontFamily: 'Arial, sans-serif'
}}>
{/* 네비게이션 바 */}
<nav style={{
background: 'linear-gradient(135deg, #667eea 0%, #764ba2 100%)',
padding: '16px 24px',
color: 'white',
display: 'flex',
justifyContent: 'space-between',
alignItems: 'center',
boxShadow: '0 4px 12px rgba(0, 0, 0, 0.1)'
}}>
<div style={{ display: 'flex', alignItems: 'center', gap: '12px' }}>
<span style={{ fontSize: '24px' }}>🚀</span>
<div>
<h1 style={{ margin: '0', fontSize: '20px', fontWeight: '700' }}>TK-MP System</h1>
<span style={{ fontSize: '12px', opacity: '0.9' }}>통합 프로젝트 관리</span>
</div>
</div>
<div style={{ display: 'flex', alignItems: 'center', gap: '16px' }}>
<div style={{ textAlign: 'right' }}>
<div style={{ fontSize: '14px', fontWeight: '600' }}>{user.name || user.username}</div>
<div style={{ fontSize: '12px', opacity: '0.9' }}>
{dashboardData.title}
</div>
</div>
<button
onClick={handleLogout}
style={{
padding: '8px 16px',
background: 'rgba(255, 255, 255, 0.2)',
color: 'white',
border: 'none',
borderRadius: '6px',
cursor: 'pointer',
fontSize: '14px'
}}
>
로그아웃
</button>
</div>
</nav>
{/* 메인 콘텐츠 */}
<main style={{ padding: '32px 24px' }}>
<div style={{ maxWidth: '1200px', margin: '0 auto' }}>
{/* 개인별 맞춤 배너 */}
<div style={{
background: `linear-gradient(135deg, ${dashboardData.metrics[0].color}20 0%, ${dashboardData.metrics[1].color}20 100%)`,
borderRadius: '16px',
padding: '32px',
marginBottom: '32px',
border: `1px solid ${dashboardData.metrics[0].color}40`
}}>
<div style={{ display: 'flex', alignItems: 'center', gap: '16px', marginBottom: '16px' }}>
<div style={{ fontSize: '48px' }}>
{user.role === 'admin' ? '👑' :
user.role === 'manager' ? '👨‍💼' :
user.role === 'designer' ? '🎨' :
user.role === 'purchaser' ? '🛒' : '👤'}
</div>
<div>
<h2 style={{
margin: '0 0 8px 0',
fontSize: '28px',
fontWeight: '700',
color: '#2d3748'
}}>
안녕하세요, {user.name || user.username}! 👋
</h2>
<p style={{
margin: '0',
fontSize: '16px',
color: '#4a5568',
fontWeight: '500'
}}>
{dashboardData.subtitle}
</p>
</div>
</div>
</div>
{/* 핵심 지표 카드들 */}
<div style={{
display: 'grid',
gridTemplateColumns: 'repeat(auto-fit, minmax(240px, 1fr))',
gap: '24px',
marginBottom: '32px'
}}>
{(dashboardData.metrics || []).map((metric, index) => (
<div key={index} style={{
background: 'white',
borderRadius: '12px',
padding: '24px',
boxShadow: '0 2px 8px rgba(0, 0, 0, 0.1)',
border: '1px solid #e2e8f0',
transition: 'transform 0.2s ease, box-shadow 0.2s ease',
cursor: 'pointer'
}}
onMouseEnter={(e) => {
e.currentTarget.style.transform = 'translateY(-2px)';
e.currentTarget.style.boxShadow = '0 4px 16px rgba(0, 0, 0, 0.15)';
}}
onMouseLeave={(e) => {
e.currentTarget.style.transform = 'translateY(0)';
e.currentTarget.style.boxShadow = '0 2px 8px rgba(0, 0, 0, 0.1)';
}}>
<div style={{ display: 'flex', alignItems: 'center', justifyContent: 'space-between' }}>
<div>
<div style={{
fontSize: '14px',
color: '#718096',
marginBottom: '8px',
fontWeight: '500'
}}>
{metric.label}
</div>
<div style={{
fontSize: '32px',
fontWeight: '700',
color: metric.color
}}>
{metric.value}
</div>
</div>
<div style={{
fontSize: '32px',
opacity: 0.8
}}>
{metric.icon}
</div>
</div>
</div>
))}
</div>
<div style={{
display: 'grid',
gridTemplateColumns: 'repeat(auto-fit, minmax(400px, 1fr))',
gap: '24px'
}}>
{/* 빠른 작업 */}
<div style={{
background: 'white',
borderRadius: '12px',
padding: '24px',
boxShadow: '0 2px 8px rgba(0, 0, 0, 0.1)',
border: '1px solid #e2e8f0'
}}>
<h3 style={{
fontSize: '18px',
fontWeight: '600',
color: '#2d3748',
margin: '0 0 20px 0'
}}>
빠른 작업
</h3>
<div style={{ display: 'grid', gap: '12px' }}>
{(dashboardData.quickActions || []).map((action, index) => (
<button
key={index}
onClick={() => handleQuickAction(action)}
style={{
display: 'flex',
alignItems: 'center',
gap: '12px',
padding: '12px 16px',
background: 'transparent',
border: '1px solid #e2e8f0',
borderRadius: '8px',
cursor: 'pointer',
transition: 'all 0.2s ease',
fontSize: '14px',
color: '#4a5568',
textAlign: 'left'
}}
onMouseEnter={(e) => {
e.target.style.background = `${action.color}10`;
e.target.style.borderColor = action.color;
}}
onMouseLeave={(e) => {
e.target.style.background = 'transparent';
e.target.style.borderColor = '#e2e8f0';
}}
>
<span style={{ fontSize: '16px' }}>{action.icon}</span>
<span>{action.title}</span>
</button>
))}
</div>
</div>
{/* 최근 활동 */}
<div style={{
background: 'white',
borderRadius: '12px',
padding: '24px',
boxShadow: '0 2px 8px rgba(0, 0, 0, 0.1)',
border: '1px solid #e2e8f0'
}}>
<h3 style={{
fontSize: '18px',
fontWeight: '600',
color: '#2d3748',
margin: '0 0 20px 0'
}}>
📈 최근 활동
</h3>
<div style={{ display: 'flex', flexDirection: 'column', gap: '12px' }}>
{recentActivities.map((activity, index) => (
<div key={index} style={{
display: 'flex',
alignItems: 'flex-start',
gap: '12px',
padding: '12px',
borderRadius: '8px',
background: '#f7fafc',
border: '1px solid #e2e8f0'
}}>
<span style={{ fontSize: '16px' }}>
{activity.icon}
</span>
<div style={{ flex: 1 }}>
<div style={{
fontSize: '14px',
color: '#2d3748',
marginBottom: '4px'
}}>
{activity.message}
</div>
<div style={{
fontSize: '12px',
color: '#718096'
}}>
{activity.time}
</div>
</div>
</div>
))}
</div>
</div>
</div>
</div>
</main>
</div>
);
};
export default PersonalizedDashboard;

View File

@@ -0,0 +1,319 @@
import React, { useState, useEffect } from 'react';
import { api } from '../api';
const ProjectSelector = ({ onProjectSelect, selectedProject }) => {
const [projects, setProjects] = useState([]);
const [loading, setLoading] = useState(true);
const [searchTerm, setSearchTerm] = useState('');
const [showDropdown, setShowDropdown] = useState(false);
useEffect(() => {
loadProjects();
}, []);
const loadProjects = async () => {
try {
const response = await api.get('/jobs/');
console.log('프로젝트 API 응답:', response.data);
// API 응답 구조에 맞게 처리
let projectsData = [];
if (response.data && response.data.success && Array.isArray(response.data.jobs)) {
// 실제 API 데이터를 프론트엔드 형식에 맞게 변환
projectsData = response.data.jobs.map(job => ({
job_no: job.job_no,
project_name: job.project_name || job.job_name,
status: job.status === '진행중' ? 'active' : 'completed',
progress: job.status === '진행중' ? 75 : 100, // 임시 진행률
client_name: job.client_name,
project_site: job.project_site,
delivery_date: job.delivery_date
}));
}
// 데이터가 없으면 목 데이터 사용
if (projectsData.length === 0) {
projectsData = [
{ job_no: 'TK-2024-001', project_name: '냉동기 시스템', status: 'active', progress: 75 },
{ job_no: 'TK-2024-002', project_name: 'BOG 처리 시스템', status: 'active', progress: 45 },
{ job_no: 'TK-2024-003', project_name: '다이아프램 펌프', status: 'active', progress: 90 },
{ job_no: 'TK-2024-004', project_name: '드라이어 시스템', status: 'completed', progress: 100 },
{ job_no: 'TK-2024-005', project_name: '열교환기 시스템', status: 'active', progress: 30 }
];
}
setProjects(projectsData);
} catch (error) {
console.error('프로젝트 목록 로딩 실패:', error);
// 목 데이터 사용
const mockProjects = [
{ job_no: 'TK-2024-001', project_name: '냉동기 시스템', status: 'active', progress: 75 },
{ job_no: 'TK-2024-002', project_name: 'BOG 처리 시스템', status: 'active', progress: 45 },
{ job_no: 'TK-2024-003', project_name: '다이아프램 펌프', status: 'active', progress: 90 },
{ job_no: 'TK-2024-004', project_name: '드라이어 시스템', status: 'completed', progress: 100 },
{ job_no: 'TK-2024-005', project_name: '열교환기 시스템', status: 'active', progress: 30 }
];
setProjects(mockProjects);
} finally {
setLoading(false);
}
};
const filteredProjects = projects.filter(project =>
project.project_name.toLowerCase().includes(searchTerm.toLowerCase()) ||
project.job_no.toLowerCase().includes(searchTerm.toLowerCase())
);
const getStatusColor = (status) => {
const colors = {
'active': '#48bb78',
'completed': '#38b2ac',
'on_hold': '#ed8936',
'cancelled': '#e53e3e'
};
return colors[status] || '#718096';
};
const getStatusText = (status) => {
const texts = {
'active': '진행중',
'completed': '완료',
'on_hold': '보류',
'cancelled': '취소'
};
return texts[status] || '알 수 없음';
};
if (loading) {
return (
<div style={{
padding: '20px',
textAlign: 'center',
color: '#666'
}}>
프로젝트 목록을 불러오는 ...
</div>
);
}
return (
<div style={{ position: 'relative', width: '100%' }}>
{/* 선택된 프로젝트 표시 또는 선택 버튼 */}
<div
onClick={() => setShowDropdown(!showDropdown)}
style={{
padding: '16px 20px',
background: selectedProject ? 'linear-gradient(135deg, #667eea 0%, #764ba2 100%)' : 'white',
color: selectedProject ? 'white' : '#2d3748',
border: selectedProject ? 'none' : '2px dashed #cbd5e0',
borderRadius: '12px',
cursor: 'pointer',
transition: 'all 0.2s ease',
display: 'flex',
alignItems: 'center',
justifyContent: 'space-between',
boxShadow: selectedProject ? '0 4px 12px rgba(102, 126, 234, 0.3)' : '0 2px 4px rgba(0,0,0,0.1)'
}}
onMouseEnter={(e) => {
if (!selectedProject) {
e.target.style.borderColor = '#667eea';
e.target.style.backgroundColor = '#f7fafc';
}
}}
onMouseLeave={(e) => {
if (!selectedProject) {
e.target.style.borderColor = '#cbd5e0';
e.target.style.backgroundColor = 'white';
}
}}
>
<div>
{selectedProject ? (
<div>
<div style={{ fontSize: '18px', fontWeight: 'bold', marginBottom: '4px' }}>
{selectedProject.project_name}
</div>
<div style={{ fontSize: '14px', opacity: '0.9' }}>
{selectedProject.job_no} {getStatusText(selectedProject.status)}
</div>
</div>
) : (
<div>
<div style={{ fontSize: '18px', fontWeight: 'bold', marginBottom: '4px' }}>
🎯 프로젝트를 선택하세요
</div>
<div style={{ fontSize: '14px', color: '#718096' }}>
작업할 프로젝트를 선택하면 관련 업무를 시작할 있습니다
</div>
</div>
)}
</div>
<div style={{ fontSize: '20px' }}>
{showDropdown ? '🔼' : '🔽'}
</div>
</div>
{/* 드롭다운 메뉴 */}
{showDropdown && (
<div style={{
position: 'absolute',
top: '100%',
left: 0,
right: 0,
marginTop: '8px',
background: 'white',
borderRadius: '12px',
boxShadow: '0 8px 24px rgba(0, 0, 0, 0.15)',
border: '1px solid #e2e8f0',
zIndex: 1000,
maxHeight: '400px',
overflow: 'hidden'
}}>
{/* 검색 입력 */}
<div style={{ padding: '16px', borderBottom: '1px solid #e2e8f0' }}>
<input
type="text"
placeholder="프로젝트 검색..."
value={searchTerm}
onChange={(e) => setSearchTerm(e.target.value)}
style={{
width: '100%',
padding: '8px 12px',
border: '1px solid #cbd5e0',
borderRadius: '6px',
fontSize: '14px',
outline: 'none'
}}
onFocus={(e) => e.target.style.borderColor = '#667eea'}
onBlur={(e) => e.target.style.borderColor = '#cbd5e0'}
/>
</div>
{/* 프로젝트 목록 */}
<div style={{ maxHeight: '300px', overflowY: 'auto' }}>
{filteredProjects.length === 0 ? (
<div style={{
padding: '20px',
textAlign: 'center',
color: '#718096'
}}>
검색 결과가 없습니다
</div>
) : (
filteredProjects.map((project) => (
<div
key={project.job_no}
onClick={() => {
onProjectSelect(project);
setShowDropdown(false);
setSearchTerm('');
}}
style={{
padding: '16px 20px',
cursor: 'pointer',
borderBottom: '1px solid #f7fafc',
transition: 'background-color 0.2s ease'
}}
onMouseEnter={(e) => {
e.target.style.backgroundColor = '#f7fafc';
}}
onMouseLeave={(e) => {
e.target.style.backgroundColor = 'transparent';
}}
>
<div style={{
display: 'flex',
alignItems: 'center',
justifyContent: 'space-between'
}}>
<div style={{ flex: 1 }}>
<div style={{
fontSize: '16px',
fontWeight: '600',
color: '#2d3748',
marginBottom: '4px'
}}>
{project.project_name}
</div>
<div style={{
fontSize: '14px',
color: '#718096',
marginBottom: '8px'
}}>
{project.job_no}
</div>
{/* 진행률 바 */}
<div style={{
display: 'flex',
alignItems: 'center',
gap: '8px'
}}>
<div style={{
flex: 1,
height: '4px',
backgroundColor: '#e2e8f0',
borderRadius: '2px',
overflow: 'hidden'
}}>
<div style={{
width: `${project.progress || 0}%`,
height: '100%',
backgroundColor: getStatusColor(project.status),
transition: 'width 0.3s ease'
}} />
</div>
<div style={{
fontSize: '12px',
color: '#718096',
minWidth: '35px'
}}>
{project.progress || 0}%
</div>
</div>
</div>
<div style={{
marginLeft: '16px',
display: 'flex',
flexDirection: 'column',
alignItems: 'flex-end'
}}>
<span style={{
padding: '4px 8px',
backgroundColor: `${getStatusColor(project.status)}20`,
color: getStatusColor(project.status),
borderRadius: '12px',
fontSize: '12px',
fontWeight: '500'
}}>
{getStatusText(project.status)}
</span>
</div>
</div>
</div>
))
)}
</div>
</div>
)}
{/* 드롭다운 외부 클릭 시 닫기 */}
{showDropdown && (
<div
style={{
position: 'fixed',
top: 0,
left: 0,
right: 0,
bottom: 0,
zIndex: 999
}}
onClick={() => setShowDropdown(false)}
/>
)}
</div>
);
};
export default ProjectSelector;

View File

@@ -80,3 +80,19 @@ const RevisionUploadDialog = ({
};
export default RevisionUploadDialog;

View File

@@ -299,3 +299,19 @@ const SimpleFileUpload = ({ selectedProject, onUploadComplete }) => {
};
export default SimpleFileUpload;