Some checks failed
SonarQube Analysis / SonarQube Scan (push) Has been cancelled
- 🎨 UI/UX 개선: 데본씽크 스타일 모던 디자인 적용 - 📁 컴포넌트 구조 개선: 폴더별 체계적 관리 (common/, bom/, materials/) - 🔧 BOM 관리 페이지 리팩토링: NewMaterialsPage → BOMManagementPage + 카테고리별 컴포넌트 분리 - 💾 구매신청 기능 개선: 선택된 자재 비활성화, 제목 편집, 엑셀 다운로드 - 📊 자재 표시 개선: 타입/서브타입 컬럼 정리, 상세 정보 복원 - 🐛 CSS 빌드 오류 수정: NewMaterialsPage.css 문법 오류 해결 - 📚 문서화: PAGES_GUIDE.md 추가, README에 Docker 캐시 문제 해결 가이드 추가 - 🔄 API 개선: 구매신청 자재 조회, 제목 수정 엔드포인트 추가
461 lines
16 KiB
JavaScript
461 lines
16 KiB
JavaScript
import React, { useState } from 'react';
|
|
import { exportMaterialsToExcel } from '../../../utils/excelExport';
|
|
import api from '../../../api';
|
|
import { FilterableHeader } from '../shared';
|
|
|
|
const BoltMaterialsView = ({
|
|
materials,
|
|
selectedMaterials,
|
|
setSelectedMaterials,
|
|
userRequirements,
|
|
setUserRequirements,
|
|
purchasedMaterials,
|
|
fileId,
|
|
user
|
|
}) => {
|
|
const [sortConfig, setSortConfig] = useState({ key: null, direction: 'asc' });
|
|
const [columnFilters, setColumnFilters] = useState({});
|
|
const [showFilterDropdown, setShowFilterDropdown] = useState(null);
|
|
// 볼트 추가요구사항 추출 함수
|
|
const extractBoltAdditionalRequirements = (description) => {
|
|
const additionalReqs = [];
|
|
|
|
// 표면처리 패턴 확인
|
|
const surfacePatterns = {
|
|
'ELEC.GALV': 'ELEC.GALV',
|
|
'ELEC GALV': 'ELEC.GALV',
|
|
'GALVANIZED': 'GALVANIZED',
|
|
'GALV': 'GALV',
|
|
'HOT DIP GALV': 'HDG',
|
|
'HDG': 'HDG',
|
|
'ZINC PLATED': 'ZINC PLATED',
|
|
'ZINC': 'ZINC',
|
|
'PLAIN': 'PLAIN'
|
|
};
|
|
|
|
for (const [pattern, treatment] of Object.entries(surfacePatterns)) {
|
|
if (description.includes(pattern)) {
|
|
additionalReqs.push(treatment);
|
|
break; // 첫 번째 매치만 사용
|
|
}
|
|
}
|
|
|
|
return additionalReqs.join(', ') || '-';
|
|
};
|
|
|
|
const parseBoltInfo = (material) => {
|
|
const qty = Math.round(material.quantity || 0);
|
|
const safetyQty = Math.ceil(qty * 1.05); // 5% 여유율
|
|
const purchaseQty = Math.ceil(safetyQty / 4) * 4; // 4의 배수
|
|
|
|
// 볼트 상세 정보 우선 사용
|
|
const boltDetails = material.bolt_details || {};
|
|
|
|
// 길이 정보 (bolt_details 우선, 없으면 원본 설명에서 추출)
|
|
let boltLength = '-';
|
|
if (boltDetails.length && boltDetails.length !== '-') {
|
|
boltLength = boltDetails.length;
|
|
} else {
|
|
// 원본 설명에서 길이 추출
|
|
const description = material.original_description || '';
|
|
const lengthPatterns = [
|
|
/(\d+(?:\.\d+)?)\s*LG/i, // 75 LG, 90.0000 LG
|
|
/(\d+(?:\.\d+)?)\s*mm/i, // 50mm
|
|
/(\d+(?:\.\d+)?)\s*MM/i, // 50MM
|
|
/LG[,\s]*(\d+(?:\.\d+)?)/i // LG, 75 형태
|
|
];
|
|
|
|
for (const pattern of lengthPatterns) {
|
|
const match = description.match(pattern);
|
|
if (match) {
|
|
let lengthValue = match[1];
|
|
// 소수점 제거 (145.0000 → 145)
|
|
if (lengthValue.includes('.') && lengthValue.endsWith('.0000')) {
|
|
lengthValue = lengthValue.split('.')[0];
|
|
} else if (lengthValue.includes('.') && /\.0+$/.test(lengthValue)) {
|
|
lengthValue = lengthValue.split('.')[0];
|
|
}
|
|
boltLength = `${lengthValue}mm`;
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
|
|
// 재질 정보 (bolt_details 우선, 없으면 기본 필드 사용)
|
|
let boltGrade = '-';
|
|
if (boltDetails.material_standard && boltDetails.material_grade) {
|
|
// bolt_details에서 완전한 재질 정보 구성
|
|
if (boltDetails.material_grade !== 'UNKNOWN' && boltDetails.material_grade !== boltDetails.material_standard) {
|
|
boltGrade = `${boltDetails.material_standard} ${boltDetails.material_grade}`;
|
|
} else {
|
|
boltGrade = boltDetails.material_standard;
|
|
}
|
|
} else if (material.full_material_grade && material.full_material_grade !== '-') {
|
|
boltGrade = material.full_material_grade;
|
|
} else if (material.material_grade && material.material_grade !== '-') {
|
|
boltGrade = material.material_grade;
|
|
}
|
|
|
|
// 볼트 타입 (PSV_BOLT, LT_BOLT 등)
|
|
let boltSubtype = 'BOLT_GENERAL';
|
|
if (boltDetails.bolt_type && boltDetails.bolt_type !== 'UNKNOWN') {
|
|
boltSubtype = boltDetails.bolt_type;
|
|
} else {
|
|
// 원본 설명에서 특수 볼트 타입 추출
|
|
const description = material.original_description || '';
|
|
const upperDesc = description.toUpperCase();
|
|
if (upperDesc.includes('PSV')) {
|
|
boltSubtype = 'PSV_BOLT';
|
|
} else if (upperDesc.includes('LT')) {
|
|
boltSubtype = 'LT_BOLT';
|
|
} else if (upperDesc.includes('CK')) {
|
|
boltSubtype = 'CK_BOLT';
|
|
}
|
|
}
|
|
|
|
// 추가요구사항 추출 (ELEC.GALV 등)
|
|
const additionalReq = extractBoltAdditionalRequirements(material.original_description || '');
|
|
|
|
return {
|
|
type: 'BOLT',
|
|
subtype: boltSubtype,
|
|
size: material.size_spec || material.main_nom || '-',
|
|
pressure: '-', // 볼트는 압력 등급 없음
|
|
schedule: boltLength, // 길이 정보
|
|
grade: boltGrade,
|
|
additionalReq: additionalReq, // 추가요구사항
|
|
quantity: purchaseQty,
|
|
unit: 'SETS'
|
|
};
|
|
};
|
|
|
|
// 정렬 처리
|
|
const handleSort = (key) => {
|
|
let direction = 'asc';
|
|
if (sortConfig.key === key && sortConfig.direction === 'asc') {
|
|
direction = 'desc';
|
|
}
|
|
setSortConfig({ key, direction });
|
|
};
|
|
|
|
// 필터링된 및 정렬된 자재 목록
|
|
const getFilteredAndSortedMaterials = () => {
|
|
let filtered = materials.filter(material => {
|
|
return Object.entries(columnFilters).every(([key, filterValue]) => {
|
|
if (!filterValue) return true;
|
|
const info = parseBoltInfo(material);
|
|
const value = info[key]?.toString().toLowerCase() || '';
|
|
return value.includes(filterValue.toLowerCase());
|
|
});
|
|
});
|
|
|
|
if (sortConfig.key) {
|
|
filtered.sort((a, b) => {
|
|
const aInfo = parseBoltInfo(a);
|
|
const bInfo = parseBoltInfo(b);
|
|
const aValue = aInfo[sortConfig.key] || '';
|
|
const bValue = bInfo[sortConfig.key] || '';
|
|
|
|
if (sortConfig.direction === 'asc') {
|
|
return aValue > bValue ? 1 : -1;
|
|
} else {
|
|
return aValue < bValue ? 1 : -1;
|
|
}
|
|
});
|
|
}
|
|
|
|
return filtered;
|
|
};
|
|
|
|
// 전체 선택/해제 (구매신청된 자재 제외)
|
|
const handleSelectAll = () => {
|
|
const filteredMaterials = getFilteredAndSortedMaterials();
|
|
const selectableMaterials = filteredMaterials.filter(m => !purchasedMaterials.has(m.id));
|
|
|
|
if (selectedMaterials.size === selectableMaterials.length) {
|
|
setSelectedMaterials(new Set());
|
|
} else {
|
|
setSelectedMaterials(new Set(selectableMaterials.map(m => m.id)));
|
|
}
|
|
};
|
|
|
|
// 개별 선택 (구매신청된 자재는 선택 불가)
|
|
const handleMaterialSelect = (materialId) => {
|
|
if (purchasedMaterials.has(materialId)) {
|
|
return; // 구매신청된 자재는 선택 불가
|
|
}
|
|
|
|
const newSelected = new Set(selectedMaterials);
|
|
if (newSelected.has(materialId)) {
|
|
newSelected.delete(materialId);
|
|
} else {
|
|
newSelected.add(materialId);
|
|
}
|
|
setSelectedMaterials(newSelected);
|
|
};
|
|
|
|
// 엑셀 내보내기
|
|
const handleExportToExcel = async () => {
|
|
const selectedMaterialsData = materials.filter(m => selectedMaterials.has(m.id));
|
|
if (selectedMaterialsData.length === 0) {
|
|
alert('내보낼 자재를 선택해주세요.');
|
|
return;
|
|
}
|
|
|
|
const timestamp = new Date().toISOString().slice(0, 19).replace(/:/g, '-');
|
|
const excelFileName = `BOLT_Materials_${timestamp}.xlsx`;
|
|
|
|
const dataWithRequirements = selectedMaterialsData.map(material => ({
|
|
...material,
|
|
user_requirement: userRequirements[material.id] || ''
|
|
}));
|
|
|
|
try {
|
|
await api.post('/files/save-excel', {
|
|
file_id: fileId,
|
|
category: 'BOLT',
|
|
materials: dataWithRequirements,
|
|
filename: excelFileName,
|
|
user_id: user?.id
|
|
});
|
|
|
|
exportMaterialsToExcel(dataWithRequirements, excelFileName, {
|
|
category: 'BOLT',
|
|
filename: excelFileName,
|
|
uploadDate: new Date().toLocaleDateString()
|
|
});
|
|
|
|
alert('엑셀 파일이 생성되고 서버에 저장되었습니다.');
|
|
} catch (error) {
|
|
console.error('엑셀 저장 실패:', error);
|
|
exportMaterialsToExcel(dataWithRequirements, excelFileName, {
|
|
category: 'BOLT',
|
|
filename: excelFileName,
|
|
uploadDate: new Date().toLocaleDateString()
|
|
});
|
|
}
|
|
};
|
|
|
|
const filteredMaterials = getFilteredAndSortedMaterials();
|
|
|
|
return (
|
|
<div style={{ padding: '32px' }}>
|
|
{/* 헤더 */}
|
|
<div style={{ display: 'flex', justifyContent: 'space-between', alignItems: 'center', marginBottom: '24px' }}>
|
|
<div>
|
|
<h3 style={{
|
|
fontSize: '24px',
|
|
fontWeight: '700',
|
|
color: '#0f172a',
|
|
margin: '0 0 8px 0'
|
|
}}>
|
|
Bolt Materials
|
|
</h3>
|
|
<p style={{
|
|
fontSize: '14px',
|
|
color: '#64748b',
|
|
margin: 0
|
|
}}>
|
|
{filteredMaterials.length} items • {selectedMaterials.size} selected
|
|
</p>
|
|
</div>
|
|
|
|
<div style={{ display: 'flex', gap: '12px' }}>
|
|
<button
|
|
onClick={handleSelectAll}
|
|
style={{
|
|
background: 'white',
|
|
color: '#6b7280',
|
|
border: '1px solid #d1d5db',
|
|
borderRadius: '8px',
|
|
padding: '10px 16px',
|
|
cursor: 'pointer',
|
|
fontSize: '14px',
|
|
fontWeight: '500'
|
|
}}
|
|
>
|
|
{selectedMaterials.size === filteredMaterials.length ? 'Deselect All' : 'Select All'}
|
|
</button>
|
|
|
|
<button
|
|
onClick={handleExportToExcel}
|
|
disabled={selectedMaterials.size === 0}
|
|
style={{
|
|
background: selectedMaterials.size > 0 ? 'linear-gradient(135deg, #6b7280 0%, #4b5563 100%)' : '#e5e7eb',
|
|
color: selectedMaterials.size > 0 ? 'white' : '#9ca3af',
|
|
border: 'none',
|
|
borderRadius: '8px',
|
|
padding: '10px 16px',
|
|
cursor: selectedMaterials.size > 0 ? 'pointer' : 'not-allowed',
|
|
fontSize: '14px',
|
|
fontWeight: '500'
|
|
}}
|
|
>
|
|
Export to Excel ({selectedMaterials.size})
|
|
</button>
|
|
</div>
|
|
</div>
|
|
|
|
{/* 테이블 */}
|
|
<div style={{
|
|
background: 'white',
|
|
borderRadius: '12px',
|
|
overflow: 'hidden',
|
|
boxShadow: '0 1px 3px rgba(0, 0, 0, 0.1)'
|
|
}}>
|
|
{/* 헤더 */}
|
|
<div style={{
|
|
display: 'grid',
|
|
gridTemplateColumns: '50px 200px 120px 100px 120px 150px 80px 80px 200px',
|
|
gap: '16px',
|
|
padding: '16px',
|
|
background: '#f8fafc',
|
|
borderBottom: '1px solid #e2e8f0',
|
|
fontSize: '14px',
|
|
fontWeight: '600',
|
|
color: '#374151'
|
|
}}>
|
|
<div>
|
|
<input
|
|
type="checkbox"
|
|
checked={(() => {
|
|
const selectableMaterials = filteredMaterials.filter(m => !purchasedMaterials.has(m.id));
|
|
return selectedMaterials.size === selectableMaterials.length && selectableMaterials.length > 0;
|
|
})()}
|
|
onChange={handleSelectAll}
|
|
style={{ cursor: 'pointer' }}
|
|
/>
|
|
</div>
|
|
<FilterableHeader sortKey="subtype" filterKey="subtype">Type</FilterableHeader>
|
|
<FilterableHeader sortKey="size" filterKey="size">Size</FilterableHeader>
|
|
<FilterableHeader sortKey="pressure" filterKey="pressure">Pressure</FilterableHeader>
|
|
<FilterableHeader sortKey="schedule" filterKey="schedule">Length</FilterableHeader>
|
|
<FilterableHeader sortKey="grade" filterKey="grade">Material Grade</FilterableHeader>
|
|
<FilterableHeader sortKey="quantity" filterKey="quantity">Quantity</FilterableHeader>
|
|
<div>Unit</div>
|
|
<div>User Requirement</div>
|
|
</div>
|
|
|
|
{/* 데이터 행들 */}
|
|
<div style={{ maxHeight: '600px', overflowY: 'auto' }}>
|
|
{filteredMaterials.map((material, index) => {
|
|
const info = parseBoltInfo(material);
|
|
const isSelected = selectedMaterials.has(material.id);
|
|
const isPurchased = purchasedMaterials.has(material.id);
|
|
|
|
return (
|
|
<div
|
|
key={material.id}
|
|
style={{
|
|
display: 'grid',
|
|
gridTemplateColumns: '50px 200px 120px 100px 120px 150px 80px 80px 200px',
|
|
gap: '16px',
|
|
padding: '16px',
|
|
borderBottom: index < filteredMaterials.length - 1 ? '1px solid #f1f5f9' : 'none',
|
|
background: isSelected ? '#eff6ff' : (isPurchased ? '#fef3c7' : 'white'),
|
|
transition: 'background 0.15s ease'
|
|
}}
|
|
onMouseEnter={(e) => {
|
|
if (!isSelected && !isPurchased) {
|
|
e.target.style.background = '#f8fafc';
|
|
}
|
|
}}
|
|
onMouseLeave={(e) => {
|
|
if (!isSelected && !isPurchased) {
|
|
e.target.style.background = 'white';
|
|
}
|
|
}}
|
|
>
|
|
<div>
|
|
<input
|
|
type="checkbox"
|
|
checked={isSelected}
|
|
onChange={() => handleMaterialSelect(material.id)}
|
|
disabled={isPurchased}
|
|
style={{
|
|
cursor: isPurchased ? 'not-allowed' : 'pointer',
|
|
opacity: isPurchased ? 0.5 : 1
|
|
}}
|
|
/>
|
|
</div>
|
|
<div style={{ fontSize: '14px', color: '#1f2937', fontWeight: '500' }}>
|
|
{info.subtype}
|
|
{isPurchased && (
|
|
<span style={{
|
|
marginLeft: '8px',
|
|
padding: '2px 6px',
|
|
background: '#fbbf24',
|
|
color: '#92400e',
|
|
borderRadius: '4px',
|
|
fontSize: '10px',
|
|
fontWeight: '500'
|
|
}}>
|
|
PURCHASED
|
|
</span>
|
|
)}
|
|
</div>
|
|
<div style={{ fontSize: '14px', color: '#1f2937' }}>
|
|
{info.size}
|
|
</div>
|
|
<div style={{ fontSize: '14px', color: '#1f2937' }}>
|
|
{info.pressure}
|
|
</div>
|
|
<div style={{ fontSize: '14px', color: '#1f2937' }}>
|
|
{info.schedule}
|
|
</div>
|
|
<div style={{ fontSize: '14px', color: '#1f2937' }}>
|
|
{info.grade}
|
|
</div>
|
|
<div style={{ fontSize: '14px', color: '#1f2937', fontWeight: '600', textAlign: 'right' }}>
|
|
{info.quantity}
|
|
</div>
|
|
<div style={{ fontSize: '14px', color: '#6b7280' }}>
|
|
{info.unit}
|
|
</div>
|
|
<div>
|
|
<input
|
|
type="text"
|
|
value={userRequirements[material.id] || ''}
|
|
onChange={(e) => setUserRequirements({
|
|
...userRequirements,
|
|
[material.id]: e.target.value
|
|
})}
|
|
placeholder="Enter requirement..."
|
|
style={{
|
|
width: '100%',
|
|
padding: '6px 8px',
|
|
border: '1px solid #d1d5db',
|
|
borderRadius: '4px',
|
|
fontSize: '12px'
|
|
}}
|
|
/>
|
|
</div>
|
|
</div>
|
|
);
|
|
})}
|
|
</div>
|
|
</div>
|
|
|
|
{filteredMaterials.length === 0 && (
|
|
<div style={{
|
|
textAlign: 'center',
|
|
padding: '60px 20px',
|
|
color: '#64748b'
|
|
}}>
|
|
<div style={{ fontSize: '48px', marginBottom: '16px' }}>🔩</div>
|
|
<div style={{ fontSize: '18px', fontWeight: '600', marginBottom: '8px' }}>
|
|
No Bolt Materials Found
|
|
</div>
|
|
<div style={{ fontSize: '14px' }}>
|
|
{Object.keys(columnFilters).some(key => columnFilters[key])
|
|
? 'Try adjusting your filters'
|
|
: 'No bolt materials available in this BOM'}
|
|
</div>
|
|
</div>
|
|
)}
|
|
</div>
|
|
);
|
|
};
|
|
|
|
export default BoltMaterialsView;
|