Some checks failed
SonarQube Analysis / SonarQube Scan (push) Has been cancelled
- 가스켓 카테고리 정렬 오류 수정 (FilterableHeader props 추가) - 가스켓 엑셀 내보내기 개선: * 품목명을 BOM 페이지 타입과 동일하게 표시 (SPIRAL WOUND GASKET 등) * 재질을 재질1/재질2로 분리 (SS304/GRAPHITE → 재질1: SS304/GRAPHITE, 재질2: /SS304/SS304) * originalDescription에서 4개 재질 패턴 우선 추출 * P열 납기일 규칙 준수 - 프로젝트 비활성화 기능 수정 (localStorage 영구 저장) - 모든 카테고리 정렬 함수 안전성 강화
394 lines
14 KiB
JavaScript
394 lines
14 KiB
JavaScript
import React, { useState } from 'react';
|
|
import { exportMaterialsToExcel, createExcelBlob } from '../../../utils/excelExport';
|
|
import api from '../../../api';
|
|
import { FilterableHeader } from '../shared';
|
|
|
|
const SupportMaterialsView = ({
|
|
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 parseSupportInfo = (material) => {
|
|
const desc = material.original_description || '';
|
|
const isUrethaneBlock = desc.includes('URETHANE') || desc.includes('BLOCK SHOE') || desc.includes('우레탄');
|
|
const isClamp = desc.includes('CLAMP') || desc.includes('클램프');
|
|
|
|
let subtypeText = '';
|
|
if (isUrethaneBlock) {
|
|
subtypeText = '우레탄블럭슈';
|
|
} else if (isClamp) {
|
|
subtypeText = '클램프';
|
|
} else {
|
|
subtypeText = '유볼트';
|
|
}
|
|
|
|
return {
|
|
type: 'SUPPORT',
|
|
subtype: subtypeText,
|
|
size: material.main_nom || material.size_inch || material.size_spec || '-',
|
|
pressure: '-', // 서포트는 압력 등급 없음
|
|
schedule: '-', // 서포트는 스케줄 없음
|
|
description: material.original_description || '-',
|
|
grade: material.full_material_grade || material.material_grade || '-',
|
|
additionalReq: '-',
|
|
quantity: Math.round(material.quantity || 0),
|
|
unit: '개',
|
|
isSupport: true
|
|
};
|
|
};
|
|
|
|
// 정렬 처리
|
|
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 = parseSupportInfo(material);
|
|
const value = info[key]?.toString().toLowerCase() || '';
|
|
return value.includes(filterValue.toLowerCase());
|
|
});
|
|
});
|
|
|
|
if (sortConfig && sortConfig.key) {
|
|
filtered.sort((a, b) => {
|
|
const aInfo = parseSupportInfo(a);
|
|
const bInfo = parseSupportInfo(b);
|
|
|
|
if (!aInfo || !bInfo) return 0;
|
|
|
|
const aValue = aInfo[sortConfig.key];
|
|
const bValue = bInfo[sortConfig.key];
|
|
|
|
// 값이 없는 경우 처리
|
|
if (aValue === undefined && bValue === undefined) return 0;
|
|
if (aValue === undefined) return 1;
|
|
if (bValue === undefined) return -1;
|
|
|
|
// 숫자인 경우 숫자로 비교
|
|
if (typeof aValue === 'number' && typeof bValue === 'number') {
|
|
return sortConfig.direction === 'asc' ? aValue - bValue : bValue - aValue;
|
|
}
|
|
|
|
// 문자열로 비교
|
|
const aStr = String(aValue).toLowerCase();
|
|
const bStr = String(bValue).toLowerCase();
|
|
|
|
if (sortConfig.direction === 'asc') {
|
|
return aStr.localeCompare(bStr);
|
|
} else {
|
|
return bStr.localeCompare(aStr);
|
|
}
|
|
});
|
|
}
|
|
|
|
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 = `SUPPORT_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: 'SUPPORT',
|
|
materials: dataWithRequirements,
|
|
filename: excelFileName,
|
|
user_id: user?.id
|
|
});
|
|
|
|
exportMaterialsToExcel(dataWithRequirements, excelFileName, {
|
|
category: 'SUPPORT',
|
|
filename: excelFileName,
|
|
uploadDate: new Date().toLocaleDateString()
|
|
});
|
|
|
|
alert('엑셀 파일이 생성되고 서버에 저장되었습니다.');
|
|
} catch (error) {
|
|
console.error('엑셀 저장 실패:', error);
|
|
exportMaterialsToExcel(dataWithRequirements, excelFileName, {
|
|
category: 'SUPPORT',
|
|
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'
|
|
}}>
|
|
Support 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, #f97316 0%, #ea580c 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">Schedule</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 = parseSupportInfo(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: '18px', fontWeight: '600', marginBottom: '8px' }}>
|
|
No Support Materials Found
|
|
</div>
|
|
<div style={{ fontSize: '14px' }}>
|
|
{Object.keys(columnFilters).some(key => columnFilters[key])
|
|
? 'Try adjusting your filters'
|
|
: 'No support materials available in this BOM'}
|
|
</div>
|
|
</div>
|
|
)}
|
|
</div>
|
|
);
|
|
};
|
|
|
|
export default SupportMaterialsView;
|