Phase 1: notifyHelper.js → shared/utils/ (4개 서비스 중복 제거) Phase 2: auth.js → shared/middleware/ (system1/system2 통합) Phase 3: errors.js + logger.js → shared/utils/ (system1/system2 통합) Phase 4: DB pool → shared/config/database.js (Group B 4개 서비스 통합) - Docker 빌드 컨텍스트를 루트로 변경 (6개 API 서비스) - 기존 파일은 re-export 패턴으로 consumer 변경 0개 유지 - .dockerignore 추가로 빌드 최적화 Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
573 lines
21 KiB
JavaScript
573 lines
21 KiB
JavaScript
/**
|
|
* 작업 중 문제 신고 컨트롤러
|
|
*/
|
|
|
|
const workIssueModel = require('../models/workIssueModel');
|
|
const imageUploadService = require('../services/imageUploadService');
|
|
const mProjectService = require('../services/mProjectService');
|
|
const notify = require('../shared/utils/notifyHelper');
|
|
|
|
// ==================== 신고 카테고리 관리 ====================
|
|
|
|
exports.getAllCategories = async (req, res) => {
|
|
try {
|
|
const categories = await workIssueModel.getAllCategories();
|
|
res.json({ success: true, data: categories });
|
|
} catch (err) {
|
|
console.error('카테고리 조회 실패:', err);
|
|
res.status(500).json({ success: false, error: '카테고리 조회 실패' });
|
|
}
|
|
};
|
|
|
|
exports.getCategoriesByType = async (req, res) => {
|
|
try {
|
|
const { type } = req.params;
|
|
if (!['nonconformity', 'safety', 'facility'].includes(type)) {
|
|
return res.status(400).json({ success: false, error: '유효하지 않은 카테고리 타입입니다.' });
|
|
}
|
|
const categories = await workIssueModel.getCategoriesByType(type);
|
|
res.json({ success: true, data: categories });
|
|
} catch (err) {
|
|
console.error('카테고리 조회 실패:', err);
|
|
res.status(500).json({ success: false, error: '카테고리 조회 실패' });
|
|
}
|
|
};
|
|
|
|
exports.createCategory = async (req, res) => {
|
|
try {
|
|
const { category_type, category_name, description, display_order } = req.body;
|
|
if (!category_type || !category_name) {
|
|
return res.status(400).json({ success: false, error: '카테고리 타입과 이름은 필수입니다.' });
|
|
}
|
|
const categoryId = await workIssueModel.createCategory({ category_type, category_name, description, display_order });
|
|
res.status(201).json({ success: true, message: '카테고리가 생성되었습니다.', data: { category_id: categoryId } });
|
|
} catch (err) {
|
|
console.error('카테고리 생성 실패:', err);
|
|
res.status(500).json({ success: false, error: '카테고리 생성 실패' });
|
|
}
|
|
};
|
|
|
|
exports.updateCategory = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
const { category_name, description, display_order, is_active } = req.body;
|
|
await workIssueModel.updateCategory(id, { category_name, description, display_order, is_active });
|
|
res.json({ success: true, message: '카테고리가 수정되었습니다.' });
|
|
} catch (err) {
|
|
console.error('카테고리 수정 실패:', err);
|
|
res.status(500).json({ success: false, error: '카테고리 수정 실패' });
|
|
}
|
|
};
|
|
|
|
exports.deleteCategory = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
await workIssueModel.deleteCategory(id);
|
|
res.json({ success: true, message: '카테고리가 삭제되었습니다.' });
|
|
} catch (err) {
|
|
console.error('카테고리 삭제 실패:', err);
|
|
res.status(500).json({ success: false, error: '카테고리 삭제 실패' });
|
|
}
|
|
};
|
|
|
|
// ==================== 사전 정의 항목 관리 ====================
|
|
|
|
exports.getItemsByCategory = async (req, res) => {
|
|
try {
|
|
const { categoryId } = req.params;
|
|
const items = await workIssueModel.getItemsByCategory(categoryId);
|
|
res.json({ success: true, data: items });
|
|
} catch (err) {
|
|
console.error('항목 조회 실패:', err);
|
|
res.status(500).json({ success: false, error: '항목 조회 실패' });
|
|
}
|
|
};
|
|
|
|
exports.getAllItems = async (req, res) => {
|
|
try {
|
|
const items = await workIssueModel.getAllItems();
|
|
res.json({ success: true, data: items });
|
|
} catch (err) {
|
|
console.error('항목 조회 실패:', err);
|
|
res.status(500).json({ success: false, error: '항목 조회 실패' });
|
|
}
|
|
};
|
|
|
|
exports.createItem = async (req, res) => {
|
|
try {
|
|
const { category_id, item_name, description, severity, display_order } = req.body;
|
|
if (!category_id || !item_name) {
|
|
return res.status(400).json({ success: false, error: '카테고리 ID와 항목명은 필수입니다.' });
|
|
}
|
|
const itemId = await workIssueModel.createItem({ category_id, item_name, description, severity, display_order });
|
|
res.status(201).json({ success: true, message: '항목이 생성되었습니다.', data: { item_id: itemId } });
|
|
} catch (err) {
|
|
console.error('항목 생성 실패:', err);
|
|
res.status(500).json({ success: false, error: '항목 생성 실패' });
|
|
}
|
|
};
|
|
|
|
exports.updateItem = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
const { item_name, description, severity, display_order, is_active } = req.body;
|
|
await workIssueModel.updateItem(id, { item_name, description, severity, display_order, is_active });
|
|
res.json({ success: true, message: '항목이 수정되었습니다.' });
|
|
} catch (err) {
|
|
console.error('항목 수정 실패:', err);
|
|
res.status(500).json({ success: false, error: '항목 수정 실패' });
|
|
}
|
|
};
|
|
|
|
exports.deleteItem = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
await workIssueModel.deleteItem(id);
|
|
res.json({ success: true, message: '항목이 삭제되었습니다.' });
|
|
} catch (err) {
|
|
console.error('항목 삭제 실패:', err);
|
|
res.status(500).json({ success: false, error: '항목 삭제 실패' });
|
|
}
|
|
};
|
|
|
|
// ==================== 문제 신고 관리 ====================
|
|
|
|
exports.createReport = async (req, res) => {
|
|
try {
|
|
const {
|
|
factory_category_id, workplace_id, custom_location,
|
|
tbm_session_id, visit_request_id, issue_category_id,
|
|
issue_item_id, custom_item_name, project_id,
|
|
additional_description, photos = []
|
|
} = req.body;
|
|
|
|
const reporter_id = req.user.user_id;
|
|
|
|
if (!issue_category_id) {
|
|
return res.status(400).json({ success: false, error: '신고 카테고리는 필수입니다.' });
|
|
}
|
|
if (!factory_category_id && !custom_location) {
|
|
return res.status(400).json({ success: false, error: '위치 정보는 필수입니다.' });
|
|
}
|
|
if (!issue_item_id && !custom_item_name) {
|
|
return res.status(400).json({ success: false, error: '신고 항목은 필수입니다.' });
|
|
}
|
|
|
|
let finalItemId = issue_item_id;
|
|
if (custom_item_name && !issue_item_id) {
|
|
finalItemId = await workIssueModel.createItem({
|
|
category_id: issue_category_id,
|
|
item_name: custom_item_name,
|
|
description: '사용자 직접 입력',
|
|
severity: 'medium',
|
|
display_order: 999
|
|
});
|
|
}
|
|
|
|
const photoPaths = { photo_path1: null, photo_path2: null, photo_path3: null, photo_path4: null, photo_path5: null };
|
|
for (let i = 0; i < Math.min(photos.length, 5); i++) {
|
|
if (photos[i]) {
|
|
const savedPath = await imageUploadService.saveBase64Image(photos[i], 'issue');
|
|
if (savedPath) photoPaths[`photo_path${i + 1}`] = savedPath;
|
|
}
|
|
}
|
|
|
|
const catInfo = await workIssueModel.getCategoryById(issue_category_id);
|
|
const categoryType = catInfo ? catInfo.category_type : null;
|
|
|
|
const reportData = {
|
|
reporter_id,
|
|
factory_category_id: factory_category_id || null,
|
|
workplace_id: workplace_id || null,
|
|
project_id: project_id || null,
|
|
custom_location: custom_location || null,
|
|
tbm_session_id: tbm_session_id || null,
|
|
visit_request_id: visit_request_id || null,
|
|
issue_category_id,
|
|
issue_item_id: finalItemId || null,
|
|
category_type: categoryType,
|
|
additional_description: additional_description || null,
|
|
...photoPaths
|
|
};
|
|
|
|
const reportId = await workIssueModel.createReport(reportData);
|
|
|
|
// 알림: 신고 접수
|
|
notify.send({
|
|
type: 'safety',
|
|
title: '신고 접수',
|
|
message: `${catInfo ? catInfo.category_name : '문제'} 신고가 접수되었습니다.`,
|
|
link_url: '/pages/safety-report-list.html',
|
|
reference_type: 'work_issue_reports',
|
|
reference_id: reportId,
|
|
created_by: req.user.id || req.user.user_id
|
|
});
|
|
|
|
res.status(201).json({
|
|
success: true,
|
|
message: '문제 신고가 등록되었습니다.',
|
|
data: { report_id: reportId }
|
|
});
|
|
|
|
// 부적합 유형이면 System 3(tkqc)으로 비동기 전달
|
|
try {
|
|
console.log(`[System3 연동] report_id=${reportId}, category_type=${categoryType}`);
|
|
if (catInfo && catInfo.category_type === 'nonconformity') {
|
|
const fs = require('fs').promises;
|
|
const path = require('path');
|
|
const photoBase64List = [];
|
|
for (const p of Object.values(photoPaths)) {
|
|
if (!p) continue;
|
|
try {
|
|
const filePath = path.join(__dirname, '..', p);
|
|
const buf = await fs.readFile(filePath);
|
|
photoBase64List.push(`data:image/jpeg;base64,${buf.toString('base64')}`);
|
|
console.log(`[System3 연동] 사진 읽기 성공: ${p} (${buf.length} bytes)`);
|
|
} catch (readErr) {
|
|
console.error('[System3 연동] 사진 파일 읽기 실패:', p, readErr.message);
|
|
}
|
|
}
|
|
|
|
let locationInfo = custom_location || null;
|
|
if (factory_category_id) {
|
|
try {
|
|
const locationParts = await workIssueModel.getLocationNames(factory_category_id, workplace_id);
|
|
if (locationParts) {
|
|
locationInfo = locationParts.factory_name || '';
|
|
if (locationParts.workplace_name) locationInfo += ` - ${locationParts.workplace_name}`;
|
|
}
|
|
} catch (locErr) {
|
|
console.error('[System3 연동] 위치 정보 조회 실패:', locErr.message);
|
|
}
|
|
}
|
|
|
|
console.log(`[System3 연동] sendToMProject 호출: category=${catInfo.category_name}, photos=${photoBase64List.length}장, reporter=${req.user.username}`);
|
|
const result = await mProjectService.sendToMProject({
|
|
category: catInfo.category_name,
|
|
description: additional_description || catInfo.category_name,
|
|
reporter_name: req.user.name || req.user.username,
|
|
reporter_username: req.user.username || req.user.sub,
|
|
reporter_role: req.user.role || 'user',
|
|
tk_issue_id: reportId,
|
|
project_id: project_id || null,
|
|
location_info: locationInfo,
|
|
photos: photoBase64List,
|
|
});
|
|
console.log(`[System3 연동] 결과: ${JSON.stringify(result)}`);
|
|
if (result.success && result.mProjectId) {
|
|
await workIssueModel.updateMProjectId(reportId, result.mProjectId);
|
|
console.log(`[System3 연동] m_project_id=${result.mProjectId} 업데이트 완료`);
|
|
}
|
|
} else {
|
|
console.log(`[System3 연동] 부적합 아님, 건너뜀`);
|
|
}
|
|
} catch (e) {
|
|
console.error('[System3 연동 실패]', e.message, e.stack);
|
|
}
|
|
} catch (error) {
|
|
console.error('신고 생성 에러:', error);
|
|
res.status(500).json({ success: false, error: '서버 오류가 발생했습니다.' });
|
|
}
|
|
};
|
|
|
|
exports.getAllReports = async (req, res) => {
|
|
try {
|
|
const filters = {
|
|
status: req.query.status,
|
|
category_type: req.query.category_type,
|
|
issue_category_id: req.query.issue_category_id,
|
|
factory_category_id: req.query.factory_category_id,
|
|
workplace_id: req.query.workplace_id,
|
|
assigned_user_id: req.query.assigned_user_id,
|
|
start_date: req.query.start_date,
|
|
end_date: req.query.end_date,
|
|
search: req.query.search,
|
|
limit: req.query.limit,
|
|
offset: req.query.offset
|
|
};
|
|
|
|
const userLevel = req.user.access_level;
|
|
if (!['admin', 'system', 'support_team'].includes(userLevel)) {
|
|
filters.reporter_id = req.user.user_id;
|
|
}
|
|
|
|
const reports = await workIssueModel.getAllReports(filters);
|
|
res.json({ success: true, data: reports });
|
|
} catch (err) {
|
|
console.error('신고 목록 조회 실패:', err);
|
|
res.status(500).json({ success: false, error: '신고 목록 조회 실패' });
|
|
}
|
|
};
|
|
|
|
exports.getReportById = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
const report = await workIssueModel.getReportById(id);
|
|
|
|
if (!report) {
|
|
return res.status(404).json({ success: false, error: '신고를 찾을 수 없습니다.' });
|
|
}
|
|
|
|
const userLevel = req.user.access_level;
|
|
const isOwner = report.reporter_id === req.user.user_id;
|
|
const isAssignee = report.assigned_user_id === req.user.user_id;
|
|
const isManager = ['admin', 'system', 'support_team'].includes(userLevel);
|
|
|
|
if (!isOwner && !isAssignee && !isManager) {
|
|
return res.status(403).json({ success: false, error: '권한이 없습니다.' });
|
|
}
|
|
|
|
res.json({ success: true, data: report });
|
|
} catch (err) {
|
|
console.error('신고 상세 조회 실패:', err);
|
|
res.status(500).json({ success: false, error: '신고 상세 조회 실패' });
|
|
}
|
|
};
|
|
|
|
exports.updateReport = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
const report = await workIssueModel.getReportById(id);
|
|
|
|
if (!report) {
|
|
return res.status(404).json({ success: false, error: '신고를 찾을 수 없습니다.' });
|
|
}
|
|
|
|
const userLevel = req.user.access_level;
|
|
const isOwner = report.reporter_id === req.user.user_id;
|
|
const isManager = ['admin', 'system'].includes(userLevel);
|
|
|
|
if (!isOwner && !isManager) {
|
|
return res.status(403).json({ success: false, error: '수정 권한이 없습니다.' });
|
|
}
|
|
if (!isManager && report.status !== 'reported') {
|
|
return res.status(400).json({ success: false, error: '이미 접수된 신고는 수정할 수 없습니다.' });
|
|
}
|
|
|
|
const { factory_category_id, workplace_id, custom_location, issue_category_id, issue_item_id, additional_description, photos = [] } = req.body;
|
|
|
|
const photoPaths = {};
|
|
for (let i = 0; i < Math.min(photos.length, 5); i++) {
|
|
if (photos[i]) {
|
|
const oldPath = report[`photo_path${i + 1}`];
|
|
if (oldPath) await imageUploadService.deleteFile(oldPath);
|
|
const savedPath = await imageUploadService.saveBase64Image(photos[i], 'issue');
|
|
if (savedPath) photoPaths[`photo_path${i + 1}`] = savedPath;
|
|
}
|
|
}
|
|
|
|
await workIssueModel.updateReport(id, {
|
|
factory_category_id, workplace_id, custom_location,
|
|
issue_category_id, issue_item_id, additional_description,
|
|
...photoPaths
|
|
}, req.user.user_id);
|
|
|
|
res.json({ success: true, message: '신고가 수정되었습니다.' });
|
|
} catch (error) {
|
|
console.error('신고 수정 에러:', error);
|
|
res.status(500).json({ success: false, error: '서버 오류가 발생했습니다.' });
|
|
}
|
|
};
|
|
|
|
exports.deleteReport = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
const report = await workIssueModel.getReportById(id);
|
|
|
|
if (!report) {
|
|
return res.status(404).json({ success: false, error: '신고를 찾을 수 없습니다.' });
|
|
}
|
|
|
|
const userLevel = req.user.access_level;
|
|
const isOwner = report.reporter_id === req.user.user_id;
|
|
const isManager = ['admin', 'system'].includes(userLevel);
|
|
|
|
if (!isOwner && !isManager) {
|
|
return res.status(403).json({ success: false, error: '삭제 권한이 없습니다.' });
|
|
}
|
|
|
|
const { result, photos } = await workIssueModel.deleteReport(id);
|
|
|
|
if (photos) {
|
|
const allPhotos = [
|
|
photos.photo_path1, photos.photo_path2, photos.photo_path3,
|
|
photos.photo_path4, photos.photo_path5,
|
|
photos.resolution_photo_path1, photos.resolution_photo_path2
|
|
].filter(Boolean);
|
|
await imageUploadService.deleteMultipleFiles(allPhotos);
|
|
}
|
|
|
|
res.json({ success: true, message: '신고가 삭제되었습니다.' });
|
|
} catch (err) {
|
|
console.error('신고 삭제 실패:', err);
|
|
res.status(500).json({ success: false, error: '신고 삭제 실패' });
|
|
}
|
|
};
|
|
|
|
// ==================== 상태 관리 ====================
|
|
|
|
exports.receiveReport = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
await workIssueModel.receiveReport(id, req.user.user_id);
|
|
|
|
// 알림: 신고 상태 변경 → 접수됨
|
|
notify.send({
|
|
type: 'safety',
|
|
title: '신고 접수 확인',
|
|
message: '신고가 접수되어 처리가 시작됩니다.',
|
|
link_url: '/pages/safety-report-list.html',
|
|
reference_type: 'work_issue_reports',
|
|
reference_id: parseInt(id),
|
|
created_by: req.user.user_id
|
|
});
|
|
|
|
res.json({ success: true, message: '신고가 접수되었습니다.' });
|
|
} catch (err) {
|
|
console.error('신고 접수 실패:', err);
|
|
res.status(400).json({ success: false, error: err.message || '신고 접수 실패' });
|
|
}
|
|
};
|
|
|
|
exports.assignReport = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
const { assigned_department, assigned_user_id } = req.body;
|
|
if (!assigned_user_id) {
|
|
return res.status(400).json({ success: false, error: '담당자는 필수입니다.' });
|
|
}
|
|
await workIssueModel.assignReport(id, { assigned_department, assigned_user_id, assigned_by: req.user.user_id });
|
|
res.json({ success: true, message: '담당자가 배정되었습니다.' });
|
|
} catch (err) {
|
|
console.error('담당자 배정 실패:', err);
|
|
res.status(400).json({ success: false, error: err.message || '담당자 배정 실패' });
|
|
}
|
|
};
|
|
|
|
exports.startProcessing = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
await workIssueModel.startProcessing(id, req.user.user_id);
|
|
res.json({ success: true, message: '처리가 시작되었습니다.' });
|
|
} catch (err) {
|
|
console.error('처리 시작 실패:', err);
|
|
res.status(400).json({ success: false, error: err.message || '처리 시작 실패' });
|
|
}
|
|
};
|
|
|
|
exports.completeReport = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
const { resolution_notes, resolution_photos = [] } = req.body;
|
|
|
|
let resolution_photo_path1 = null;
|
|
let resolution_photo_path2 = null;
|
|
if (resolution_photos[0]) resolution_photo_path1 = await imageUploadService.saveBase64Image(resolution_photos[0], 'resolution');
|
|
if (resolution_photos[1]) resolution_photo_path2 = await imageUploadService.saveBase64Image(resolution_photos[1], 'resolution');
|
|
|
|
await workIssueModel.completeReport(id, { resolution_notes, resolution_photo_path1, resolution_photo_path2, resolved_by: req.user.user_id });
|
|
|
|
// 알림: 신고 처리 완료
|
|
notify.send({
|
|
type: 'safety',
|
|
title: '신고 처리 완료',
|
|
message: '신고 처리가 완료되었습니다.',
|
|
link_url: '/pages/safety-report-list.html',
|
|
reference_type: 'work_issue_reports',
|
|
reference_id: parseInt(id),
|
|
created_by: req.user.user_id
|
|
});
|
|
|
|
res.json({ success: true, message: '처리가 완료되었습니다.' });
|
|
} catch (err) {
|
|
console.error('처리 완료 실패:', err);
|
|
res.status(400).json({ success: false, error: err.message || '처리 완료 실패' });
|
|
}
|
|
};
|
|
|
|
exports.closeReport = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
await workIssueModel.closeReport(id, req.user.user_id);
|
|
res.json({ success: true, message: '신고가 종료되었습니다.' });
|
|
} catch (err) {
|
|
console.error('신고 종료 실패:', err);
|
|
res.status(400).json({ success: false, error: err.message || '신고 종료 실패' });
|
|
}
|
|
};
|
|
|
|
exports.getStatusLogs = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
const logs = await workIssueModel.getStatusLogs(id);
|
|
res.json({ success: true, data: logs });
|
|
} catch (err) {
|
|
console.error('상태 이력 조회 실패:', err);
|
|
res.status(500).json({ success: false, error: '상태 이력 조회 실패' });
|
|
}
|
|
};
|
|
|
|
// ==================== 유형 이관 ====================
|
|
|
|
exports.transferReport = async (req, res) => {
|
|
try {
|
|
const { id } = req.params;
|
|
const { category_type } = req.body;
|
|
|
|
const validTypes = ['nonconformity', 'safety', 'facility'];
|
|
if (!category_type || !validTypes.includes(category_type)) {
|
|
return res.status(400).json({ success: false, error: '유효하지 않은 유형입니다. (nonconformity, safety, facility)' });
|
|
}
|
|
|
|
await workIssueModel.transferCategoryType(id, category_type, req.user.user_id);
|
|
res.json({ success: true, message: '유형이 이관되었습니다.' });
|
|
} catch (err) {
|
|
console.error('유형 이관 실패:', err);
|
|
res.status(400).json({ success: false, error: err.message || '유형 이관 실패' });
|
|
}
|
|
};
|
|
|
|
// ==================== 통계 ====================
|
|
|
|
exports.getStatsSummary = async (req, res) => {
|
|
try {
|
|
const filters = {
|
|
category_type: req.query.category_type,
|
|
start_date: req.query.start_date,
|
|
end_date: req.query.end_date,
|
|
factory_category_id: req.query.factory_category_id
|
|
};
|
|
const stats = await workIssueModel.getStatsSummary(filters);
|
|
res.json({ success: true, data: stats });
|
|
} catch (err) {
|
|
console.error('통계 조회 실패:', err);
|
|
res.status(500).json({ success: false, error: '통계 조회 실패' });
|
|
}
|
|
};
|
|
|
|
exports.getStatsByCategory = async (req, res) => {
|
|
try {
|
|
const filters = { start_date: req.query.start_date, end_date: req.query.end_date };
|
|
const stats = await workIssueModel.getStatsByCategory(filters);
|
|
res.json({ success: true, data: stats });
|
|
} catch (err) {
|
|
console.error('카테고리별 통계 조회 실패:', err);
|
|
res.status(500).json({ success: false, error: '통계 조회 실패' });
|
|
}
|
|
};
|
|
|
|
exports.getStatsByWorkplace = async (req, res) => {
|
|
try {
|
|
const filters = {
|
|
start_date: req.query.start_date,
|
|
end_date: req.query.end_date,
|
|
factory_category_id: req.query.factory_category_id
|
|
};
|
|
const stats = await workIssueModel.getStatsByWorkplace(filters);
|
|
res.json({ success: true, data: stats });
|
|
} catch (err) {
|
|
console.error('작업장별 통계 조회 실패:', err);
|
|
res.status(500).json({ success: false, error: '통계 조회 실패' });
|
|
}
|
|
};
|