1ㅊㅏ완료

This commit is contained in:
2026-01-05 02:00:13 +09:00
parent 1bbad6efa7
commit 185161db16
30 changed files with 4331 additions and 837 deletions

View File

@@ -0,0 +1,50 @@
import { query, execute } from '../../../../utils/db'
const ADMIN_EMAIL = 'coziny@gmail.com'
/**
* 주간보고 삭제
* DELETE /api/report/weekly/[id]/delete
*/
export default defineEventHandler(async (event) => {
const userId = getCookie(event, 'user_id')
if (!userId) {
throw createError({ statusCode: 401, message: '로그인이 필요합니다.' })
}
const reportId = getRouterParam(event, 'id')
if (!reportId) {
throw createError({ statusCode: 400, message: '보고서 ID가 필요합니다.' })
}
// 현재 사용자 정보 조회
const currentUser = await query<any>(`
SELECT employee_email FROM wr_employee_info WHERE employee_id = $1
`, [userId])
const isAdmin = currentUser[0]?.employee_email === ADMIN_EMAIL
// 보고서 정보 조회
const report = await query<any>(`
SELECT report_id, author_id FROM wr_weekly_report WHERE report_id = $1
`, [reportId])
if (!report[0]) {
throw createError({ statusCode: 404, message: '보고서를 찾을 수 없습니다.' })
}
// 권한 체크: 본인 또는 관리자만 삭제 가능
if (report[0].author_id !== parseInt(userId) && !isAdmin) {
throw createError({ statusCode: 403, message: '삭제 권한이 없습니다.' })
}
// 프로젝트 실적 먼저 삭제
await execute(`DELETE FROM wr_weekly_report_project WHERE report_id = $1`, [reportId])
// 주간보고 삭제
await execute(`DELETE FROM wr_weekly_report WHERE report_id = $1`, [reportId])
return {
success: true,
message: '주간보고가 삭제되었습니다.'
}
})

View File

@@ -27,21 +27,71 @@ export default defineEventHandler(async (event) => {
throw createError({ statusCode: 404, message: '보고서를 찾을 수 없습니다.' })
}
// 프로젝트별 실적 조회
const projects = await query<any>(`
// 같은 주차의 이전/다음 보고서 조회
const prevReport = await queryOne<any>(`
SELECT r.report_id, e.employee_name
FROM wr_weekly_report r
JOIN wr_employee_info e ON r.author_id = e.employee_id
WHERE r.report_year = $1 AND r.report_week = $2 AND r.report_id < $3
ORDER BY r.report_id DESC
LIMIT 1
`, [report.report_year, report.report_week, reportId])
const nextReport = await queryOne<any>(`
SELECT r.report_id, e.employee_name
FROM wr_weekly_report r
JOIN wr_employee_info e ON r.author_id = e.employee_id
WHERE r.report_year = $1 AND r.report_week = $2 AND r.report_id > $3
ORDER BY r.report_id ASC
LIMIT 1
`, [report.report_year, report.report_week, reportId])
// Task 조회
const tasks = await query<any>(`
SELECT
rp.detail_id,
rp.project_id,
t.task_id,
t.project_id,
p.project_code,
p.project_name,
rp.work_description,
rp.plan_description
FROM wr_weekly_report_project rp
JOIN wr_project_info p ON rp.project_id = p.project_id
WHERE rp.report_id = $1
ORDER BY rp.detail_id
t.task_type,
t.task_description,
t.task_hours,
t.is_completed
FROM wr_weekly_report_task t
JOIN wr_project_info p ON t.project_id = p.project_id
WHERE t.report_id = $1
ORDER BY t.project_id, t.task_type, t.task_id
`, [reportId])
// 프로젝트별로 그룹핑
const projectMap = new Map<number, any>()
for (const task of tasks) {
if (!projectMap.has(task.project_id)) {
projectMap.set(task.project_id, {
projectId: task.project_id,
projectCode: task.project_code,
projectName: task.project_name,
workTasks: [],
planTasks: []
})
}
const proj = projectMap.get(task.project_id)
const taskItem = {
taskId: task.task_id,
description: task.task_description,
hours: parseFloat(task.task_hours) || 0,
isCompleted: task.is_completed
}
if (task.task_type === 'WORK') {
proj.workTasks.push(taskItem)
} else {
proj.planTasks.push(taskItem)
}
}
return {
report: {
reportId: report.report_id,
@@ -50,23 +100,39 @@ export default defineEventHandler(async (event) => {
authorEmail: report.author_email,
reportYear: report.report_year,
reportWeek: report.report_week,
weekStartDate: report.week_start_date,
weekEndDate: report.week_end_date,
weekStartDate: formatDateOnly(report.week_start_date),
weekEndDate: formatDateOnly(report.week_end_date),
issueDescription: report.issue_description,
vacationDescription: report.vacation_description,
remarkDescription: report.remark_description,
reportStatus: report.report_status,
submittedAt: report.submitted_at,
createdAt: report.created_at,
updatedAt: report.updated_at
updatedAt: report.updated_at,
aiReview: report.ai_review,
aiReviewAt: report.ai_review_at
},
projects: projects.map((p: any) => ({
detailId: p.detail_id,
projectId: p.project_id,
projectCode: p.project_code,
projectName: p.project_name,
workDescription: p.work_description,
planDescription: p.plan_description
prevReport: prevReport ? { reportId: prevReport.report_id, authorName: prevReport.employee_name } : null,
nextReport: nextReport ? { reportId: nextReport.report_id, authorName: nextReport.employee_name } : null,
projects: Array.from(projectMap.values()),
tasks: tasks.map((t: any) => ({
taskId: t.task_id,
projectId: t.project_id,
projectCode: t.project_code,
projectName: t.project_name,
taskType: t.task_type,
taskDescription: t.task_description,
taskHours: parseFloat(t.task_hours) || 0,
isCompleted: t.is_completed
}))
}
})
// 날짜를 YYYY-MM-DD 형식으로 변환 (타임존 보정)
function formatDateOnly(date: Date | string | null): string {
if (!date) return ''
const d = new Date(date)
const kstOffset = 9 * 60 * 60 * 1000
const kstDate = new Date(d.getTime() + kstOffset)
return kstDate.toISOString().split('T')[0]
}

View File

@@ -1,19 +1,6 @@
import { execute, query, queryOne } from '../../../../utils/db'
import { getClientIp } from '../../../../utils/ip'
import { getCurrentUserEmail } from '../../../../utils/user'
import { query, execute, queryOne } from '../../../../utils/db'
interface ProjectItem {
projectId: number
workDescription?: string
planDescription?: string
}
interface UpdateReportBody {
projects?: ProjectItem[]
issueDescription?: string
vacationDescription?: string
remarkDescription?: string
}
const ADMIN_EMAIL = 'coziny@gmail.com'
/**
* 주간보고 수정
@@ -26,67 +13,94 @@ export default defineEventHandler(async (event) => {
}
const reportId = getRouterParam(event, 'id')
const body = await readBody<UpdateReportBody>(event)
const clientIp = getClientIp(event)
const userEmail = await getCurrentUserEmail(event)
const clientIp = getHeader(event, 'x-forwarded-for') || 'unknown'
const user = await queryOne<any>(`SELECT employee_email FROM wr_employee_info WHERE employee_id = $1`, [userId])
const userEmail = user?.employee_email || ''
const isAdmin = userEmail === ADMIN_EMAIL
// 보고서 조회 및 권한 확인
// 보고서 조회 및 권한 체크
const report = await queryOne<any>(`
SELECT * FROM wr_weekly_report WHERE report_id = $1
SELECT report_id, author_id, report_status FROM wr_weekly_report WHERE report_id = $1
`, [reportId])
if (!report) {
throw createError({ statusCode: 404, message: '보고서를 찾을 수 없습니다.' })
}
if (report.author_id !== parseInt(userId)) {
// 관리자가 아니면 본인 보고서만 수정 가능
if (!isAdmin && report.author_id !== parseInt(userId)) {
throw createError({ statusCode: 403, message: '본인의 보고서만 수정할 수 있습니다.' })
}
if (report.report_status === 'SUBMITTED' || report.report_status === 'AGGREGATED') {
throw createError({ statusCode: 400, message: '제출된 보고서는 수정할 수 없습니다.' })
// 취합완료된 보고서는 수정 불가 (관리자도)
if (report.report_status === 'AGGREGATED') {
throw createError({ statusCode: 400, message: '취합완료된 보고서는 수정할 수 없습니다.' })
}
// 마스터 업데이트
const body = await readBody<{
reportYear?: number
reportWeek?: number
weekStartDate?: string
weekEndDate?: string
tasks: {
projectId: number
taskType: 'WORK' | 'PLAN'
taskDescription: string
taskHours: number
isCompleted?: boolean
}[]
issueDescription?: string
vacationDescription?: string
remarkDescription?: string
}>(event)
if (!body.tasks || body.tasks.length === 0) {
throw createError({ statusCode: 400, message: '최소 1개 이상의 Task가 필요합니다.' })
}
// 마스터 수정
await execute(`
UPDATE wr_weekly_report SET
issue_description = $1,
vacation_description = $2,
remark_description = $3,
report_year = COALESCE($1, report_year),
report_week = COALESCE($2, report_week),
week_start_date = COALESCE($3, week_start_date),
week_end_date = COALESCE($4, week_end_date),
issue_description = $5,
vacation_description = $6,
remark_description = $7,
updated_at = NOW(),
updated_ip = $4,
updated_email = $5
WHERE report_id = $6
updated_ip = $8,
updated_email = $9
WHERE report_id = $10
`, [
body.issueDescription ?? report.issue_description,
body.vacationDescription ?? report.vacation_description,
body.remarkDescription ?? report.remark_description,
clientIp,
userEmail,
reportId
body.reportYear || null,
body.reportWeek || null,
body.weekStartDate || null,
body.weekEndDate || null,
body.issueDescription || null,
body.vacationDescription || null,
body.remarkDescription || null,
clientIp, userEmail, reportId
])
// 프로젝트별 실적 업데이트
if (body.projects && body.projects.length > 0) {
// 기존 삭제 후 재등록
await execute(`DELETE FROM wr_weekly_report_project WHERE report_id = $1`, [reportId])
for (const proj of body.projects) {
await execute(`
INSERT INTO wr_weekly_report_project (
report_id, project_id, work_description, plan_description,
created_ip, created_email, updated_ip, updated_email
) VALUES ($1, $2, $3, $4, $5, $6, $5, $6)
`, [
reportId,
proj.projectId,
proj.workDescription || null,
proj.planDescription || null,
clientIp,
userEmail
])
}
// 기존 Task 삭제 후 재등록
await execute(`DELETE FROM wr_weekly_report_task WHERE report_id = $1`, [reportId])
for (const task of body.tasks) {
await execute(`
INSERT INTO wr_weekly_report_task (
report_id, project_id, task_type, task_description, task_hours, is_completed,
created_ip, created_email, updated_ip, updated_email
) VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $7, $8)
`, [
reportId, task.projectId, task.taskType, task.taskDescription, task.taskHours || 0,
task.taskType === 'WORK' ? (task.isCompleted !== false) : null,
clientIp, userEmail
])
}
return { success: true }
return {
success: true,
message: '주간보고가 수정되었습니다.'
}
})