Merge remote-tracking branch 'origin/develop' into feature/stitch-mcp

# Conflicts:
#	frontend/src/tabs/admin/components/AdminView.tsx
This commit is contained in:
leedano 2026-03-25 16:06:12 +09:00
커밋 24a8bae625
26개의 변경된 파일1420개의 추가작업 그리고 142개의 파일을 삭제

파일 보기

@ -1,6 +1,6 @@
{ {
"applied_global_version": "1.6.1", "applied_global_version": "1.6.1",
"applied_date": "2026-03-24", "applied_date": "2026-03-25",
"project_type": "react-ts", "project_type": "react-ts",
"gitea_url": "https://gitea.gc-si.dev", "gitea_url": "https://gitea.gc-si.dev",
"custom_pre_commit": true "custom_pre_commit": true

파일 보기

@ -0,0 +1,20 @@
import { Router } from 'express'
import { requireAuth } from '../auth/authMiddleware.js'
import { getNumericalDataStatus } from './monitorService.js'
const router = Router()
router.use(requireAuth)
// GET /api/monitor/numerical — 수치예측자료 다운로드 상태 조회
router.get('/numerical', async (_req, res) => {
try {
const data = await getNumericalDataStatus()
res.json(data)
} catch (err) {
console.error('[monitor] 수치예측자료 상태 조회 오류:', err)
res.status(500).json({ error: '수치예측자료 상태를 조회할 수 없습니다.' })
}
})
export default router

파일 보기

@ -0,0 +1,121 @@
export interface NumericalDataStatus {
modelName: string;
jobName: string;
lastStatus: 'COMPLETED' | 'FAILED' | 'STARTED' | 'UNKNOWN';
lastDataDate: string | null; // 데이터 기준일 (YYYY-MM-DD)
lastDownloadedAt: string | null; // 마지막 실행 완료 시각 (ISO)
nextScheduledAt: string | null; // Quartz 다음 예정 시각 (ISO)
durationSec: number | null; // 소요 시간 (초)
consecutiveFailures: number; // 연속 실패 횟수
}
// ============================================================
// Mock 데이터 (Spring Batch/Quartz DB 연동 전)
// DB 연동 준비 완료 후 getMockNumericalDataStatus → getActualNumericalDataStatus 교체
// ============================================================
const MOCK_DATA: NumericalDataStatus[] = [
{
modelName: 'HYCOM',
jobName: 'downloadHycomJob',
lastStatus: 'COMPLETED',
lastDataDate: '2026-03-25',
lastDownloadedAt: '2026-03-25T06:12:34',
nextScheduledAt: '2026-03-25T12:00:00',
durationSec: 342,
consecutiveFailures: 0,
},
{
modelName: 'GFS',
jobName: 'downloadGfsJob',
lastStatus: 'COMPLETED',
lastDataDate: '2026-03-25',
lastDownloadedAt: '2026-03-25T06:48:11',
nextScheduledAt: '2026-03-25T12:00:00',
durationSec: 518,
consecutiveFailures: 0,
},
{
modelName: 'WW3',
jobName: 'downloadWw3Job',
lastStatus: 'FAILED',
lastDataDate: '2026-03-24',
lastDownloadedAt: '2026-03-25T07:03:55',
nextScheduledAt: '2026-03-25T13:00:00',
durationSec: null,
consecutiveFailures: 2,
},
{
modelName: 'KOAST POS_WIND',
jobName: 'downloadKoastWindJob',
lastStatus: 'COMPLETED',
lastDataDate: '2026-03-25',
lastDownloadedAt: '2026-03-25T07:21:05',
nextScheduledAt: '2026-03-25T13:00:00',
durationSec: 127,
consecutiveFailures: 0,
},
{
modelName: 'KOAST POS_HYDR',
jobName: 'downloadKoastHydrJob',
lastStatus: 'COMPLETED',
lastDataDate: '2026-03-25',
lastDownloadedAt: '2026-03-25T07:35:48',
nextScheduledAt: '2026-03-25T13:00:00',
durationSec: 183,
consecutiveFailures: 0,
},
{
modelName: 'KOAST POS_WAVE',
jobName: 'downloadKoastWaveJob',
lastStatus: 'COMPLETED',
lastDataDate: '2026-03-25',
lastDownloadedAt: '2026-03-25T07:52:19',
nextScheduledAt: '2026-03-25T13:00:00',
durationSec: 156,
consecutiveFailures: 0,
},
];
export async function getNumericalDataStatus(): Promise<NumericalDataStatus[]> {
// TODO: Spring Batch + Quartz DB 테이블 생성 후 아래 실제 쿼리로 교체
//
// import { wingDb } from '../db/wingDb.js'
//
// -- 각 Job의 최신 실행 결과 조회 (BATCH_JOB_EXECUTION)
// SELECT
// ji.JOB_NAME,
// je.START_TIME, je.END_TIME,
// je.STATUS, je.EXIT_CODE, je.EXIT_MESSAGE,
// jep.STRING_VAL AS data_date,
// EXTRACT(EPOCH FROM (je.END_TIME - je.START_TIME))::INT AS duration_sec
// FROM BATCH_JOB_EXECUTION je
// JOIN BATCH_JOB_INSTANCE ji ON je.JOB_INSTANCE_ID = ji.JOB_INSTANCE_ID
// LEFT JOIN BATCH_JOB_EXECUTION_PARAMS jep
// ON je.JOB_EXECUTION_ID = jep.JOB_EXECUTION_ID
// AND jep.KEY_NAME = 'data_date'
// WHERE je.JOB_EXECUTION_ID IN (
// SELECT MAX(je2.JOB_EXECUTION_ID)
// FROM BATCH_JOB_EXECUTION je2
// GROUP BY je2.JOB_INSTANCE_ID
// )
// ORDER BY je.START_TIME DESC;
//
// -- Quartz 다음 실행 예정 시각 (NEXT_FIRE_TIME은 epoch milliseconds)
// SELECT JOB_NAME, to_timestamp(NEXT_FIRE_TIME / 1000) AS next_fire_time
// FROM QRTZ_TRIGGERS;
//
// -- 연속 실패 횟수 집계 (최근 실행부터 COMPLETED 전까지 카운트)
// SELECT ji.JOB_NAME, COUNT(*) AS consecutive_failures
// FROM BATCH_JOB_EXECUTION je
// JOIN BATCH_JOB_INSTANCE ji ON je.JOB_INSTANCE_ID = ji.JOB_INSTANCE_ID
// WHERE je.STATUS = 'FAILED'
// AND je.JOB_EXECUTION_ID > (
// SELECT COALESCE(MAX(je2.JOB_EXECUTION_ID), 0)
// FROM BATCH_JOB_EXECUTION je2
// WHERE je2.JOB_INSTANCE_ID = je.JOB_INSTANCE_ID
// AND je2.STATUS = 'COMPLETED'
// )
// GROUP BY ji.JOB_NAME;
return MOCK_DATA;
}

파일 보기

@ -46,7 +46,7 @@ router.get('/analyses/:acdntSn', requireAuth, requirePermission('prediction', 'R
} }
}); });
// GET /api/prediction/analyses/:acdntSn/trajectory — 최신 OpenDrift 결과 조회 // GET /api/prediction/analyses/:acdntSn/trajectory — 예측 결과 조회 (predRunSn으로 특정 실행 지정 가능)
router.get('/analyses/:acdntSn/trajectory', requireAuth, requirePermission('prediction', 'READ'), async (req, res) => { router.get('/analyses/:acdntSn/trajectory', requireAuth, requirePermission('prediction', 'READ'), async (req, res) => {
try { try {
const acdntSn = parseInt(req.params.acdntSn as string, 10); const acdntSn = parseInt(req.params.acdntSn as string, 10);
@ -54,7 +54,8 @@ router.get('/analyses/:acdntSn/trajectory', requireAuth, requirePermission('pred
res.status(400).json({ error: '유효하지 않은 사고 번호' }); res.status(400).json({ error: '유효하지 않은 사고 번호' });
return; return;
} }
const result = await getAnalysisTrajectory(acdntSn); const predRunSn = req.query.predRunSn ? parseInt(req.query.predRunSn as string, 10) : undefined;
const result = await getAnalysisTrajectory(acdntSn, predRunSn);
if (!result) { if (!result) {
res.json({ trajectory: null, summary: null }); res.json({ trajectory: null, summary: null });
return; return;

파일 보기

@ -19,6 +19,8 @@ interface PredictionAnalysis {
analyst: string; analyst: string;
officeName: string; officeName: string;
acdntSttsCd: string; acdntSttsCd: string;
predRunSn: number | null;
runDtm: string | null;
} }
interface PredictionDetail { interface PredictionDetail {
@ -142,21 +144,26 @@ export async function listAnalyses(input: ListAnalysesInput): Promise<Prediction
S.SPIL_QTY, S.SPIL_QTY,
S.SPIL_UNIT_CD, S.SPIL_UNIT_CD,
S.FCST_HR, S.FCST_HR,
P.PRED_RUN_SN,
P.RUN_DTM,
P.KOSPS_STATUS, P.KOSPS_STATUS,
P.POSEIDON_STATUS, P.POSEIDON_STATUS,
P.OPENDRIFT_STATUS, P.OPENDRIFT_STATUS,
B.BACKTRACK_STATUS B.BACKTRACK_STATUS
FROM ACDNT A FROM ACDNT A
LEFT JOIN SPIL_DATA S ON S.ACDNT_SN = A.ACDNT_SN INNER JOIN (
LEFT JOIN (
SELECT SELECT
ACDNT_SN, ACDNT_SN,
PRED_RUN_SN,
MIN(BGNG_DTM) AS RUN_DTM,
MIN(SPIL_DATA_SN) AS SPIL_DATA_SN,
MAX(CASE WHEN ALGO_CD = 'KOSPS' THEN EXEC_STTS_CD END) AS KOSPS_STATUS, MAX(CASE WHEN ALGO_CD = 'KOSPS' THEN EXEC_STTS_CD END) AS KOSPS_STATUS,
MAX(CASE WHEN ALGO_CD = 'POSEIDON' THEN EXEC_STTS_CD END) AS POSEIDON_STATUS, MAX(CASE WHEN ALGO_CD = 'POSEIDON' THEN EXEC_STTS_CD END) AS POSEIDON_STATUS,
MAX(CASE WHEN ALGO_CD = 'OPENDRIFT' THEN EXEC_STTS_CD END) AS OPENDRIFT_STATUS MAX(CASE WHEN ALGO_CD = 'OPENDRIFT' THEN EXEC_STTS_CD END) AS OPENDRIFT_STATUS
FROM PRED_EXEC FROM PRED_EXEC
GROUP BY ACDNT_SN GROUP BY ACDNT_SN, PRED_RUN_SN
) P ON P.ACDNT_SN = A.ACDNT_SN ) P ON P.ACDNT_SN = A.ACDNT_SN
LEFT JOIN SPIL_DATA S ON S.SPIL_DATA_SN = P.SPIL_DATA_SN
LEFT JOIN ( LEFT JOIN (
SELECT SELECT
ACDNT_SN, ACDNT_SN,
@ -165,7 +172,7 @@ export async function listAnalyses(input: ListAnalysesInput): Promise<Prediction
GROUP BY ACDNT_SN GROUP BY ACDNT_SN
) B ON B.ACDNT_SN = A.ACDNT_SN ) B ON B.ACDNT_SN = A.ACDNT_SN
${whereClause} ${whereClause}
ORDER BY A.OCCRN_DTM DESC ORDER BY A.OCCRN_DTM DESC, P.RUN_DTM DESC NULLS LAST
`; `;
const { rows } = await wingPool.query(sql, params); const { rows } = await wingPool.query(sql, params);
@ -189,6 +196,8 @@ export async function listAnalyses(input: ListAnalysesInput): Promise<Prediction
analyst: String(row['analyst_nm'] ?? ''), analyst: String(row['analyst_nm'] ?? ''),
officeName: String(row['office_nm'] ?? ''), officeName: String(row['office_nm'] ?? ''),
acdntSttsCd: String(row['acdnt_stts_cd'] ?? 'ACTIVE'), acdntSttsCd: String(row['acdnt_stts_cd'] ?? 'ACTIVE'),
predRunSn: row['pred_run_sn'] != null ? Number(row['pred_run_sn']) : null,
runDtm: row['run_dtm'] ? String(row['run_dtm']) : null,
})); }));
} }
@ -539,16 +548,27 @@ function transformTrajectoryResult(rawResult: TrajectoryTimeStep[], model: strin
return { trajectory, summary, stepSummaries, centerPoints, windData, hydrData }; return { trajectory, summary, stepSummaries, centerPoints, windData, hydrData };
} }
export async function getAnalysisTrajectory(acdntSn: number): Promise<TrajectoryResult | null> { export async function getAnalysisTrajectory(acdntSn: number, predRunSn?: number): Promise<TrajectoryResult | null> {
// 완료된 모든 모델(OPENDRIFT, POSEIDON) 결과 조회 // 완료된 모든 모델(OPENDRIFT, POSEIDON) 결과 조회
const sql = ` // predRunSn이 있으면 해당 실행의 결과만, 없으면 최신 결과
SELECT ALGO_CD, RSLT_DATA, CMPL_DTM FROM wing.PRED_EXEC const sql = predRunSn != null
WHERE ACDNT_SN = $1 ? `
AND ALGO_CD IN ('OPENDRIFT', 'POSEIDON') SELECT ALGO_CD, RSLT_DATA, CMPL_DTM FROM wing.PRED_EXEC
AND EXEC_STTS_CD = 'COMPLETED' WHERE ACDNT_SN = $1
ORDER BY CMPL_DTM DESC AND PRED_RUN_SN = $2
`; AND ALGO_CD IN ('OPENDRIFT', 'POSEIDON')
const { rows } = await wingPool.query(sql, [acdntSn]); AND EXEC_STTS_CD = 'COMPLETED'
ORDER BY CMPL_DTM DESC
`
: `
SELECT ALGO_CD, RSLT_DATA, CMPL_DTM FROM wing.PRED_EXEC
WHERE ACDNT_SN = $1
AND ALGO_CD IN ('OPENDRIFT', 'POSEIDON')
AND EXEC_STTS_CD = 'COMPLETED'
ORDER BY CMPL_DTM DESC
`;
const params = predRunSn != null ? [acdntSn, predRunSn] : [acdntSn];
const { rows } = await wingPool.query(sql, params);
if (rows.length === 0) return null; if (rows.length === 0) return null;
// 모든 모델의 파티클을 하나의 배열로 병합 // 모든 모델의 파티클을 하나의 배열로 병합

파일 보기

@ -210,14 +210,21 @@ router.post('/run', requireAuth, async (req: Request, res: Response) => {
if (resolvedAcdntSn && !resolvedSpilDataSn) { if (resolvedAcdntSn && !resolvedSpilDataSn) {
try { try {
const spilRes = await wingPool.query( const spilRes = await wingPool.query(
`SELECT SPIL_DATA_SN FROM wing.SPIL_DATA WHERE ACDNT_SN = $1 ORDER BY SPIL_DATA_SN DESC LIMIT 1`, `INSERT INTO wing.SPIL_DATA (ACDNT_SN, OIL_TP_CD, SPIL_QTY, SPIL_UNIT_CD, SPIL_TP_CD, FCST_HR, REG_DTM)
[resolvedAcdntSn] VALUES ($1, $2, $3, $4, $5, $6, NOW())
RETURNING SPIL_DATA_SN`,
[
resolvedAcdntSn,
OIL_DB_CODE_MAP[matTy as string] ?? 'BUNKER_C',
matVol ?? 0,
UNIT_MAP[spillUnit as string] ?? 'KL',
SPIL_TYPE_MAP[spillTypeCd as string] ?? 'CONTINUOUS',
runTime,
]
) )
if (spilRes.rows.length > 0) { resolvedSpilDataSn = spilRes.rows[0].spil_data_sn as number
resolvedSpilDataSn = spilRes.rows[0].spil_data_sn as number
}
} catch (dbErr) { } catch (dbErr) {
console.error('[simulation] SPIL_DATA 조회 실패:', dbErr) console.error('[simulation] SPIL_DATA INSERT 실패:', dbErr)
} }
} }
@ -545,30 +552,47 @@ router.post('/run-model', requireAuth, async (req: Request, res: Response) => {
if (resolvedAcdntSn && !resolvedSpilDataSn) { if (resolvedAcdntSn && !resolvedSpilDataSn) {
try { try {
const spilRes = await wingPool.query( const spilRes = await wingPool.query(
`SELECT SPIL_DATA_SN FROM wing.SPIL_DATA WHERE ACDNT_SN = $1 ORDER BY SPIL_DATA_SN DESC LIMIT 1`, `INSERT INTO wing.SPIL_DATA (ACDNT_SN, OIL_TP_CD, SPIL_QTY, SPIL_UNIT_CD, SPIL_TP_CD, FCST_HR, REG_DTM)
[resolvedAcdntSn] VALUES ($1, $2, $3, $4, $5, $6, NOW())
RETURNING SPIL_DATA_SN`,
[
resolvedAcdntSn,
OIL_DB_CODE_MAP[matTy as string] ?? 'BUNKER_C',
matVol ?? 0,
UNIT_MAP[spillUnit as string] ?? 'KL',
SPIL_TYPE_MAP[spillTypeCd as string] ?? 'CONTINUOUS',
runTime,
]
) )
if (spilRes.rows.length > 0) { resolvedSpilDataSn = spilRes.rows[0].spil_data_sn as number
resolvedSpilDataSn = spilRes.rows[0].spil_data_sn as number
}
} catch (dbErr) { } catch (dbErr) {
console.error('[simulation/run-model] SPIL_DATA 조회 실패:', dbErr) console.error('[simulation/run-model] SPIL_DATA INSERT 실패:', dbErr)
} }
} }
const odMatTy = matTy !== undefined ? (OIL_TYPE_MAP[matTy as string] ?? (matTy as string)) : undefined const odMatTy = matTy !== undefined ? (OIL_TYPE_MAP[matTy as string] ?? (matTy as string)) : undefined
const execNmBase = `EXPC_${Date.now()}` const execNmBase = `EXPC_${Date.now()}`
// 이번 예측 실행을 식별하는 그룹 SN 생성
let predRunSn: number
try {
const runSnRes = await wingPool.query("SELECT nextval('wing.PRED_RUN_SN_SEQ') AS pred_run_sn")
predRunSn = runSnRes.rows[0].pred_run_sn as number
} catch (dbErr) {
console.error('[simulation/run-model] PRED_RUN_SN_SEQ 조회 실패:', dbErr)
return res.status(500).json({ error: '실행 SN 생성 실패' })
}
// KOSPS: PRED_EXEC INSERT(PENDING)만 수행 // KOSPS: PRED_EXEC INSERT(PENDING)만 수행
const execSns: Array<{ model: string; execSn: number }> = [] const execSns: Array<{ model: string; execSn: number }> = []
if (requestedModels.includes('KOSPS')) { if (requestedModels.includes('KOSPS')) {
try { try {
const kospsExecNm = `${execNmBase}_KOSPS` const kospsExecNm = `${execNmBase}_KOSPS`
const insertRes = await wingPool.query( const insertRes = await wingPool.query(
`INSERT INTO wing.PRED_EXEC (ACDNT_SN, SPIL_DATA_SN, ALGO_CD, EXEC_STTS_CD, EXEC_NM, BGNG_DTM) `INSERT INTO wing.PRED_EXEC (ACDNT_SN, SPIL_DATA_SN, ALGO_CD, EXEC_STTS_CD, EXEC_NM, PRED_RUN_SN, BGNG_DTM)
VALUES ($1, $2, 'KOSPS', 'PENDING', $3, NOW()) VALUES ($1, $2, 'KOSPS', 'PENDING', $3, $4, NOW())
RETURNING PRED_EXEC_SN`, RETURNING PRED_EXEC_SN`,
[resolvedAcdntSn, resolvedSpilDataSn, kospsExecNm] [resolvedAcdntSn, resolvedSpilDataSn, kospsExecNm, predRunSn]
) )
execSns.push({ model: 'KOSPS', execSn: insertRes.rows[0].pred_exec_sn as number }) execSns.push({ model: 'KOSPS', execSn: insertRes.rows[0].pred_exec_sn as number })
} catch (dbErr) { } catch (dbErr) {
@ -602,10 +626,10 @@ router.post('/run-model', requireAuth, async (req: Request, res: Response) => {
let predExecSn: number let predExecSn: number
try { try {
const insertRes = await wingPool.query( const insertRes = await wingPool.query(
`INSERT INTO wing.PRED_EXEC (ACDNT_SN, SPIL_DATA_SN, ALGO_CD, EXEC_STTS_CD, EXEC_NM, BGNG_DTM) `INSERT INTO wing.PRED_EXEC (ACDNT_SN, SPIL_DATA_SN, ALGO_CD, EXEC_STTS_CD, EXEC_NM, PRED_RUN_SN, BGNG_DTM)
VALUES ($1, $2, $3, 'PENDING', $4, NOW()) VALUES ($1, $2, $3, 'PENDING', $4, $5, NOW())
RETURNING PRED_EXEC_SN`, RETURNING PRED_EXEC_SN`,
[resolvedAcdntSn, resolvedSpilDataSn, algoCd, execNm] [resolvedAcdntSn, resolvedSpilDataSn, algoCd, execNm, predRunSn]
) )
predExecSn = insertRes.rows[0].pred_exec_sn as number predExecSn = insertRes.rows[0].pred_exec_sn as number
} catch (dbErr) { } catch (dbErr) {
@ -713,6 +737,7 @@ router.post('/run-model', requireAuth, async (req: Request, res: Response) => {
res.json({ res.json({
success: true, success: true,
acdntSn: resolvedAcdntSn, acdntSn: resolvedAcdntSn,
predRunSn,
execSns: [...execSns, ...modelResults.map(({ model, execSn }) => ({ model, execSn }))], execSns: [...execSns, ...modelResults.map(({ model, execSn }) => ({ model, execSn }))],
results: modelResults, results: modelResults,
}) })

파일 보기

@ -23,6 +23,7 @@ import predictionRouter from './prediction/predictionRouter.js'
import aerialRouter from './aerial/aerialRouter.js' import aerialRouter from './aerial/aerialRouter.js'
import rescueRouter from './rescue/rescueRouter.js' import rescueRouter from './rescue/rescueRouter.js'
import mapBaseRouter from './map-base/mapBaseRouter.js' import mapBaseRouter from './map-base/mapBaseRouter.js'
import monitorRouter from './monitor/monitorRouter.js'
import { import {
sanitizeBody, sanitizeBody,
sanitizeQuery, sanitizeQuery,
@ -170,6 +171,7 @@ app.use('/api/prediction', predictionRouter)
app.use('/api/aerial', aerialRouter) app.use('/api/aerial', aerialRouter)
app.use('/api/rescue', rescueRouter) app.use('/api/rescue', rescueRouter)
app.use('/api/map-base', mapBaseRouter) app.use('/api/map-base', mapBaseRouter)
app.use('/api/monitor', monitorRouter)
// 헬스 체크 // 헬스 체크
app.get('/health', (_req, res) => { app.get('/health', (_req, res) => {

파일 보기

@ -0,0 +1,25 @@
-- Migration 028: PRED_EXEC에 실행 그룹 식별자(PRED_RUN_SN) 추가
-- 같은 시점에 여러 모델로 실행된 PRED_EXEC 레코드를 하나의 "예측 실행"으로 묶는다.
-- 목록 화면에서 사고당 예측 실행 횟수만큼 행을 표시하기 위한 기반 구조.
-- 1. 컬럼 추가
ALTER TABLE wing.PRED_EXEC ADD COLUMN IF NOT EXISTS PRED_RUN_SN INTEGER;
-- 2. 기존 데이터 마이그레이션
-- 같은 ACDNT_SN + 시작 시각 60초 이내의 레코드를 동일 실행 그룹으로 묶는다.
-- MIN(PRED_EXEC_SN)을 그룹 대표 키로 사용한다.
UPDATE wing.PRED_EXEC pe1
SET PRED_RUN_SN = (
SELECT MIN(pe2.PRED_EXEC_SN)
FROM wing.PRED_EXEC pe2
WHERE pe2.ACDNT_SN = pe1.ACDNT_SN
AND ABS(EXTRACT(EPOCH FROM (
COALESCE(pe2.BGNG_DTM, NOW()) - COALESCE(pe1.BGNG_DTM, NOW())
))) < 60
)
WHERE pe1.PRED_RUN_SN IS NULL;
-- 3. 시퀀스 생성 (신규 실행용 — 기존 최대값보다 충분히 높은 값에서 시작)
CREATE SEQUENCE IF NOT EXISTS wing.PRED_RUN_SN_SEQ
START WITH 10000
INCREMENT BY 1;

파일 보기

@ -4,6 +4,16 @@
## [Unreleased] ## [Unreleased]
### 추가
- 예측: 실행 이력 선택 기능 (predRunSn 기반 특정 예측 결과 조회)
- DB: PRED_RUN_SN 마이그레이션 추가 (028_pred_run_sn)
- 관리자: 수치예측자료 연계 모니터링 패널 추가 (HYCOM·GFS·WW3·KOAST POS_WIND/HYDR/WAVE)
### 변경
- 보고서: 기능 개선 (TemplateEditPage, ReportGenerator, hwpxExport 등)
## [2026-03-24]
### 추가 ### 추가
- Stitch MCP 기반 디자인 시스템 카탈로그 페이지 (/design) - Stitch MCP 기반 디자인 시스템 카탈로그 페이지 (/design)
- react-router-dom 도입, BrowserRouter 래핑 - react-router-dom 도입, BrowserRouter 래핑
@ -15,39 +25,28 @@
- 확산예측: 예측 실행 시 기상정보(풍속·풍향·기압·파고·수온·기온·염분 등) ACDNT_WEATHER 테이블에 자동 저장 - 확산예측: 예측 실행 시 기상정보(풍속·풍향·기압·파고·수온·기온·염분 등) ACDNT_WEATHER 테이블에 자동 저장
- DB: ACDNT_WEATHER 테이블에 구조화된 기상 수치 컬럼 19개 추가 (025 마이그레이션) - DB: ACDNT_WEATHER 테이블에 구조화된 기상 수치 컬럼 19개 추가 (025 마이그레이션)
- DB: 민감자원 데이터 마이그레이션 (026_sensitive_resources) - DB: 민감자원 데이터 마이그레이션 (026_sensitive_resources)
- DB: 민감자원 평가 마이그레이션 추가 (027_sensitivity_evaluation)
- 보고서: 유류유출 보고서 템플릿 전면 개선 (OilSpillReportTemplate) - 보고서: 유류유출 보고서 템플릿 전면 개선 (OilSpillReportTemplate)
- 관리자: 실시간 기상·해상 모니터링 패널 추가 (MonitorRealtimePanel) - 관리자: 실시간 기상·해상 모니터링 패널 추가 (MonitorRealtimePanel)
- DB: 민감자원 평가 마이그레이션 추가 (027_sensitivity_evaluation) - 관리자: 방제선 보유자재 현황 패널 추가 (VesselMaterialsPanel)
- 관리자: 방제장비 현황 패널에 장비 타입 필터 및 조건부 컬럼 강조 스타일 추가
### 변경 ### 변경
- 디자인: 색상 팔레트 컨텐츠 개선 + base.css 확장 - 디자인: 색상 팔레트 컨텐츠 개선 + base.css 확장
- SCAT 지도 하드코딩 제주 해안선 제거, 인접 구간 기반 동적 방향 계산으로 전환 - SCAT 지도 하드코딩 제주 해안선 제거, 인접 구간 기반 동적 방향 계산으로 전환
- 예측: 분석 API를 예측 서비스로 통합 (analysisRouter 제거) - 예측: 분석 API를 예측 서비스로 통합 (analysisRouter 제거)
- 예측: 예측 API 확장 (predictionRouter/Service, LeftPanel/RightPanel 연동) - 예측: 예측 API 확장 (predictionRouter/Service, LeftPanel/RightPanel 연동)
- 보고서: 유류유출 보고서 민감자원 지도 섹션 개선 (GeoJSON 자동 필터링, 6개 테이블 자동 채우기, 지도 캡처 기능)
### 문서 ### 문서
- Foundation 탭 디자인 토큰 상세 문서화 (DESIGN-SYSTEM.md) - Foundation 탭 디자인 토큰 상세 문서화 (DESIGN-SYSTEM.md)
## [2026-03-20.3]
### 추가
- 보고서: 기능 강화 (HWPX 내보내기, 확산 지도 패널, 보고서 생성기 개선)
- 관리자: 권한 트리 확장 (게시판관리·기준정보·연계관리 섹션 추가)
- 관리자: 유처리제 제한구역 패널, 민감자원 레이어 패널 추가
- 기상: 날씨 스냅샷 스토어, 유틸리티 모듈 추가
### 문서
- PREDICTION-GUIDE.md 삭제
## [2026-03-20.2]
### 변경
- prediction/scat 파이프라인 제거 + SCAT/사고관리 UI 수정
## [2026-03-20] ## [2026-03-20]
### 추가 ### 추가
- 관리자: 지도 베이스 관리 패널, 레이어 패널 추가 및 보고서 기능 개선 - 관리자: 지도 베이스 관리 패널, 레이어 패널 추가 및 보고서 기능 개선
- 관리자: 권한 트리 확장 (게시판관리·기준정보·연계관리 섹션 추가)
- 관리자: 유처리제 제한구역 패널, 민감자원 레이어 패널 추가
- 항공 방제: WingAI (AI 탐지/분석) 서브탭 추가 - 항공 방제: WingAI (AI 탐지/분석) 서브탭 추가
- 항공 방제: UP42 위성 패스 조회 + 궤도 지도 표시 - 항공 방제: UP42 위성 패스 조회 + 궤도 지도 표시
- 항공 방제: 위성 요청 취소 기능 추가 - 항공 방제: 위성 요청 취소 기능 추가
@ -55,6 +54,8 @@
- 항공 방제: 위성 히스토리 지도에 캘린더 + 날짜별 촬영 리스트 + 영상 오버레이 - 항공 방제: 위성 히스토리 지도에 캘린더 + 날짜별 촬영 리스트 + 영상 오버레이
- 항공 방제: 완료 촬영 클릭 시 VWorld 위성 영상 오버레이 표시 - 항공 방제: 완료 촬영 클릭 시 VWorld 위성 영상 오버레이 표시
- 항공 방제: 위성 요청 목록 더보기 → 페이징 처리로 변경 - 항공 방제: 위성 요청 목록 더보기 → 페이징 처리로 변경
- 보고서: 기능 강화 (HWPX 내보내기, 확산 지도 패널, 보고서 생성기 개선)
- 기상: 날씨 스냅샷 스토어, 유틸리티 모듈 추가
- 사고관리: UI 개선 + 오염물 배출규정 기능 추가 - 사고관리: UI 개선 + 오염물 배출규정 기능 추가
- Pre-SCAT 해안조사 UI 개선 - Pre-SCAT 해안조사 UI 개선
- 거리·면적 측정 도구 (TopBar 퀵메뉴 + deck.gl 시각화) - 거리·면적 측정 도구 (TopBar 퀵메뉴 + deck.gl 시각화)
@ -65,10 +66,14 @@
- 항공 방제: 촬영 히스토리 지도 리스트 위치 좌하단으로 이동 - 항공 방제: 촬영 히스토리 지도 리스트 위치 좌하단으로 이동
### 변경 ### 변경
- prediction/scat 파이프라인 제거 + SCAT/사고관리 UI 수정
- 기상: 지역별 기상정보 패널 글자 사이즈 조정 + 시각화 개선 - 기상: 지역별 기상정보 패널 글자 사이즈 조정 + 시각화 개선
- SCAT 사진을 로컬에서 서버 프록시로 전환 (scat-photos 1,127개 삭제) - SCAT 사진을 로컬에서 서버 프록시로 전환 (scat-photos 1,127개 삭제)
- WeatherRightPanel 중복 코드 정리 - WeatherRightPanel 중복 코드 정리
### 문서
- PREDICTION-GUIDE.md 삭제
## [2026-03-18] ## [2026-03-18]
### 추가 ### 추가
@ -102,8 +107,6 @@
- KOSPS/앙상블 준비중 팝업 + 기본 모델 POSEIDON 변경 - KOSPS/앙상블 준비중 팝업 + 기본 모델 POSEIDON 변경
- 오염분석 원 분석 기능 — 중심점/반경 입력으로 원형 오염 면적 계산 - 오염분석 원 분석 기능 — 중심점/반경 입력으로 원형 오염 면적 계산
- 오일펜스 배치 가이드 UI 개선 - 오일펜스 배치 가이드 UI 개선
- 거리·면적 측정 도구 (TopBar 퀵메뉴 + deck.gl 시각화)
- Pre-SCAT 관할서 필터링 + 해안조사 데이터 파이프라인 구축
- 다각형/원 오염분석 + 범례 최소화 + Convex Hull 면적 계산 - 다각형/원 오염분석 + 범례 최소화 + Convex Hull 면적 계산
### 수정 ### 수정
@ -114,7 +117,6 @@
- 오염분석 UI 개선 — HTML 디자인 참고 반영 - 오염분석 UI 개선 — HTML 디자인 참고 반영
- 범례 UI 개선 — HTML 참고 디자인 반영 - 범례 UI 개선 — HTML 참고 디자인 반영
- 드론 아이콘 쿼드콥터 + 함정 MarineTraffic 삼각형 스타일 - 드론 아이콘 쿼드콥터 + 함정 MarineTraffic 삼각형 스타일
- SCAT 사진을 로컬에서 서버 프록시로 전환 (scat-photos 1,127개 삭제)
### 기타 ### 기타
- 프론트엔드 포트 변경(5174) + CORS 허용 - 프론트엔드 포트 변경(5174) + CORS 허용

파일 보기

@ -17,6 +17,8 @@ import DispersingZonePanel from './DispersingZonePanel';
import MonitorRealtimePanel from './MonitorRealtimePanel'; import MonitorRealtimePanel from './MonitorRealtimePanel';
import MonitorVesselPanel from './MonitorVesselPanel'; import MonitorVesselPanel from './MonitorVesselPanel';
import CollectHrPanel from './CollectHrPanel'; import CollectHrPanel from './CollectHrPanel';
import MonitorForecastPanel from './MonitorForecastPanel';
import VesselMaterialsPanel from './VesselMaterialsPanel';
/** 기존 패널이 있는 메뉴 ID 매핑 */ /** 기존 패널이 있는 메뉴 ID 매핑 */
const PANEL_MAP: Record<string, () => JSX.Element> = { const PANEL_MAP: Record<string, () => JSX.Element> = {
@ -35,9 +37,11 @@ const PANEL_MAP: Record<string, () => JSX.Element> = {
'env-ecology': () => <SensitiveLayerPanel categoryCode="LYR001002001" title="환경/생태" />, 'env-ecology': () => <SensitiveLayerPanel categoryCode="LYR001002001" title="환경/생태" />,
'social-economy': () => <SensitiveLayerPanel categoryCode="LYR001002002" title="사회/경제" />, 'social-economy': () => <SensitiveLayerPanel categoryCode="LYR001002002" title="사회/경제" />,
'dispersant-zone': () => <DispersingZonePanel />, 'dispersant-zone': () => <DispersingZonePanel />,
'vessel-materials': () => <VesselMaterialsPanel />,
'monitor-realtime': () => <MonitorRealtimePanel />, 'monitor-realtime': () => <MonitorRealtimePanel />,
'monitor-vessel': () => <MonitorVesselPanel />, 'monitor-vessel': () => <MonitorVesselPanel />,
'collect-hr': () => <CollectHrPanel />, 'collect-hr': () => <CollectHrPanel />,
'monitor-forecast': () => <MonitorForecastPanel />,
}; };
export function AdminView() { export function AdminView() {

파일 보기

@ -16,6 +16,7 @@ function CleanupEquipPanel() {
const [searchTerm, setSearchTerm] = useState(''); const [searchTerm, setSearchTerm] = useState('');
const [regionFilter, setRegionFilter] = useState('전체'); const [regionFilter, setRegionFilter] = useState('전체');
const [typeFilter, setTypeFilter] = useState('전체'); const [typeFilter, setTypeFilter] = useState('전체');
const [equipFilter, setEquipFilter] = useState('전체');
const [currentPage, setCurrentPage] = useState(1); const [currentPage, setCurrentPage] = useState(1);
const load = () => { const load = () => {
@ -40,12 +41,21 @@ function CleanupEquipPanel() {
return Array.from(set).sort(); return Array.from(set).sort();
}, [organizations]); }, [organizations]);
const EQUIP_FIELDS: Record<string, keyof AssetOrgCompat> = {
'방제선': 'vessel',
'유회수기': 'skimmer',
'이송펌프': 'pump',
'방제차량': 'vehicle',
'살포장치': 'sprayer',
};
const filtered = useMemo(() => const filtered = useMemo(() =>
organizations organizations
.filter(o => regionFilter === '전체' || o.jurisdiction.includes(regionFilter)) .filter(o => regionFilter === '전체' || o.jurisdiction.includes(regionFilter))
.filter(o => typeFilter === '전체' || o.type === typeFilter) .filter(o => typeFilter === '전체' || o.type === typeFilter)
.filter(o => equipFilter === '전체' || (o[EQUIP_FIELDS[equipFilter]] as number) > 0)
.filter(o => !searchTerm || o.name.includes(searchTerm) || o.address.includes(searchTerm)), .filter(o => !searchTerm || o.name.includes(searchTerm) || o.address.includes(searchTerm)),
[organizations, regionFilter, typeFilter, searchTerm] [organizations, regionFilter, typeFilter, equipFilter, searchTerm]
); );
const totalPages = Math.max(1, Math.ceil(filtered.length / PAGE_SIZE)); const totalPages = Math.max(1, Math.ceil(filtered.length / PAGE_SIZE));
@ -96,6 +106,18 @@ function CleanupEquipPanel() {
<option key={t} value={t}>{t}</option> <option key={t} value={t}>{t}</option>
))} ))}
</select> </select>
<select
value={equipFilter}
onChange={handleFilterChange(setEquipFilter)}
className="px-3 py-2 text-xs bg-bg-2 border border-border rounded-md text-text-1 focus:border-primary-cyan focus:outline-none font-korean"
>
<option value="전체"> </option>
<option value="방제선"></option>
<option value="유회수기"></option>
<option value="이송펌프"></option>
<option value="방제차량"></option>
<option value="살포장치"></option>
</select>
<input <input
type="text" type="text"
placeholder="기관명, 주소 검색..." placeholder="기관명, 주소 검색..."
@ -122,16 +144,16 @@ function CleanupEquipPanel() {
<table className="w-full"> <table className="w-full">
<thead> <thead>
<tr className="border-b border-border bg-bg-1"> <tr className="border-b border-border bg-bg-1">
<th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean w-10"></th> <th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean w-10 whitespace-nowrap"></th>
<th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th> <th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th>
<th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th> <th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th>
<th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th> <th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th>
<th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th> <th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold text-text-3 font-korean"></th> <th className={`px-4 py-3 text-center text-[11px] font-semibold font-korean ${equipFilter === '방제선' ? 'text-primary-cyan bg-primary-cyan/5' : 'text-text-3'}`}></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold text-text-3 font-korean"></th> <th className={`px-4 py-3 text-center text-[11px] font-semibold font-korean ${equipFilter === '유회수기' ? 'text-primary-cyan bg-primary-cyan/5' : 'text-text-3'}`}></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold text-text-3 font-korean"></th> <th className={`px-4 py-3 text-center text-[11px] font-semibold font-korean ${equipFilter === '이송펌프' ? 'text-primary-cyan bg-primary-cyan/5' : 'text-text-3'}`}></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold text-text-3 font-korean"></th> <th className={`px-4 py-3 text-center text-[11px] font-semibold font-korean ${equipFilter === '방제차량' ? 'text-primary-cyan bg-primary-cyan/5' : 'text-text-3'}`}></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold text-text-3 font-korean"></th> <th className={`px-4 py-3 text-center text-[11px] font-semibold font-korean ${equipFilter === '살포장치' ? 'text-primary-cyan bg-primary-cyan/5' : 'text-text-3'}`}></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold text-text-3 font-korean"></th> <th className="px-4 py-3 text-center text-[11px] font-semibold text-text-3 font-korean"></th>
</tr> </tr>
</thead> </thead>
@ -161,20 +183,20 @@ function CleanupEquipPanel() {
<td className="px-4 py-3 text-[11px] text-text-3 font-korean max-w-[200px] truncate"> <td className="px-4 py-3 text-[11px] text-text-3 font-korean max-w-[200px] truncate">
{org.address} {org.address}
</td> </td>
<td className="px-4 py-3 text-[11px] font-mono text-center text-text-2"> <td className={`px-4 py-3 text-[11px] font-mono text-center ${equipFilter === '방제선' ? 'text-primary-cyan font-semibold bg-primary-cyan/5' : 'text-text-2'}`}>
{org.vessel > 0 ? <span className="text-text-1">{org.vessel}</span> : <span className="text-text-3"></span>} {org.vessel > 0 ? org.vessel : <span className="text-text-3"></span>}
</td> </td>
<td className="px-4 py-3 text-[11px] font-mono text-center text-text-2"> <td className={`px-4 py-3 text-[11px] font-mono text-center ${equipFilter === '유회수기' ? 'text-primary-cyan font-semibold bg-primary-cyan/5' : 'text-text-2'}`}>
{org.skimmer > 0 ? <span className="text-text-1">{org.skimmer}</span> : <span className="text-text-3"></span>} {org.skimmer > 0 ? org.skimmer : <span className="text-text-3"></span>}
</td> </td>
<td className="px-4 py-3 text-[11px] font-mono text-center text-text-2"> <td className={`px-4 py-3 text-[11px] font-mono text-center ${equipFilter === '이송펌프' ? 'text-primary-cyan font-semibold bg-primary-cyan/5' : 'text-text-2'}`}>
{org.pump > 0 ? <span className="text-text-1">{org.pump}</span> : <span className="text-text-3"></span>} {org.pump > 0 ? org.pump : <span className="text-text-3"></span>}
</td> </td>
<td className="px-4 py-3 text-[11px] font-mono text-center text-text-2"> <td className={`px-4 py-3 text-[11px] font-mono text-center ${equipFilter === '방제차량' ? 'text-primary-cyan font-semibold bg-primary-cyan/5' : 'text-text-2'}`}>
{org.vehicle > 0 ? <span className="text-text-1">{org.vehicle}</span> : <span className="text-text-3"></span>} {org.vehicle > 0 ? org.vehicle : <span className="text-text-3"></span>}
</td> </td>
<td className="px-4 py-3 text-[11px] font-mono text-center text-text-2"> <td className={`px-4 py-3 text-[11px] font-mono text-center ${equipFilter === '살포장치' ? 'text-primary-cyan font-semibold bg-primary-cyan/5' : 'text-text-2'}`}>
{org.sprayer > 0 ? <span className="text-text-1">{org.sprayer}</span> : <span className="text-text-3"></span>} {org.sprayer > 0 ? org.sprayer : <span className="text-text-3"></span>}
</td> </td>
<td className="px-4 py-3 text-[11px] font-mono text-center font-bold text-primary-cyan"> <td className="px-4 py-3 text-[11px] font-mono text-center font-bold text-primary-cyan">
{org.totalAssets.toLocaleString()} {org.totalAssets.toLocaleString()}
@ -186,6 +208,33 @@ function CleanupEquipPanel() {
)} )}
</div> </div>
{/* 합계 */}
{!loading && filtered.length > 0 && (
<div className="flex items-center gap-4 px-6 py-2 border-t border-border bg-bg-0/80">
<span className="text-[10px] text-text-3 font-korean font-semibold mr-auto">
({filtered.length} )
</span>
{[
{ label: '방제선', value: filtered.reduce((s, o) => s + o.vessel, 0), unit: '척' },
{ label: '유회수기', value: filtered.reduce((s, o) => s + o.skimmer, 0), unit: '대' },
{ label: '이송펌프', value: filtered.reduce((s, o) => s + o.pump, 0), unit: '대' },
{ label: '방제차량', value: filtered.reduce((s, o) => s + o.vehicle, 0), unit: '대' },
{ label: '살포장치', value: filtered.reduce((s, o) => s + o.sprayer, 0), unit: '대' },
{ label: '총자산', value: filtered.reduce((s, o) => s + o.totalAssets, 0), unit: '' },
].map((t) => {
const isActive = t.label === equipFilter || t.label === '총자산';
return (
<div key={t.label} className={`flex items-center gap-1 px-1.5 py-0.5 rounded ${isActive ? 'bg-primary-cyan/10' : ''}`}>
<span className={`text-[9px] font-korean ${isActive ? 'text-primary-cyan' : 'text-text-3'}`}>{t.label}</span>
<span className={`text-[10px] font-mono font-bold ${isActive ? 'text-primary-cyan' : 'text-text-1'}`}>
{t.value.toLocaleString()}{t.unit}
</span>
</div>
);
})}
</div>
)}
{/* 페이지네이션 */} {/* 페이지네이션 */}
{!loading && filtered.length > 0 && ( {!loading && filtered.length > 0 && (
<div className="flex items-center justify-between px-6 py-3 border-t border-border"> <div className="flex items-center justify-between px-6 py-3 border-t border-border">

파일 보기

@ -0,0 +1,273 @@
import { useState, useEffect, useCallback } from 'react';
import {
getNumericalDataStatus,
type NumericalDataStatus,
} from '../services/monitorApi';
type TabId = 'all' | 'ocean' | 'koast';
const TABS: { id: TabId; label: string }[] = [
{ id: 'all', label: '전체' },
{ id: 'ocean', label: '기상·해양 모델' },
{ id: 'koast', label: 'KOAST' },
];
const OCEAN_MODELS = ['HYCOM', 'GFS', 'WW3'];
const KOAST_MODELS = ['KOAST POS_WIND', 'KOAST POS_HYDR', 'KOAST POS_WAVE'];
function filterByTab(rows: NumericalDataStatus[], tab: TabId): NumericalDataStatus[] {
if (tab === 'ocean') return rows.filter((r) => OCEAN_MODELS.includes(r.modelName));
if (tab === 'koast') return rows.filter((r) => KOAST_MODELS.includes(r.modelName));
return rows;
}
function formatDuration(sec: number | null): string {
if (sec == null) return '-';
const m = Math.floor(sec / 60);
const s = sec % 60;
return m > 0 ? `${m}${s}` : `${s}`;
}
function formatDatetime(iso: string | null): string {
if (!iso) return '-';
const d = new Date(iso);
const mm = String(d.getMonth() + 1).padStart(2, '0');
const dd = String(d.getDate()).padStart(2, '0');
const hh = String(d.getHours()).padStart(2, '0');
const min = String(d.getMinutes()).padStart(2, '0');
return `${mm}-${dd} ${hh}:${min}`;
}
function formatTime(iso: string | null): string {
if (!iso) return '-';
const d = new Date(iso);
const hh = String(d.getHours()).padStart(2, '0');
const min = String(d.getMinutes()).padStart(2, '0');
return `${hh}:${min}`;
}
function StatusCell({ row }: { row: NumericalDataStatus }) {
if (row.lastStatus === 'COMPLETED') {
return <span className="text-emerald-400 text-xs"></span>;
}
if (row.lastStatus === 'FAILED') {
return (
<span className="text-red-400 text-xs">
{row.consecutiveFailures > 0 ? ` (${row.consecutiveFailures}회 연속)` : ''}
</span>
);
}
if (row.lastStatus === 'STARTED') {
return (
<span className="inline-flex items-center gap-1 text-cyan-400 text-xs">
<span className="w-1.5 h-1.5 rounded-full bg-cyan-400 animate-pulse" />
</span>
);
}
return <span className="text-t3 text-xs">-</span>;
}
function StatusBadge({
loading,
errorCount,
total,
}: {
loading: boolean;
errorCount: number;
total: number;
}) {
if (loading) {
return (
<span className="inline-flex items-center gap-1 px-2 py-0.5 rounded text-xs bg-bg-2 text-t2">
<span className="w-1.5 h-1.5 rounded-full bg-cyan-400 animate-pulse" />
...
</span>
);
}
if (errorCount === total && total > 0) {
return (
<span className="inline-flex items-center gap-1 px-2 py-0.5 rounded text-xs bg-red-500/10 text-red-400">
<span className="w-1.5 h-1.5 rounded-full bg-red-400" />
</span>
);
}
if (errorCount > 0) {
return (
<span className="inline-flex items-center gap-1 px-2 py-0.5 rounded text-xs bg-yellow-500/10 text-yellow-400">
<span className="w-1.5 h-1.5 rounded-full bg-yellow-400" />
({errorCount}/{total})
</span>
);
}
return (
<span className="inline-flex items-center gap-1 px-2 py-0.5 rounded text-xs bg-emerald-500/10 text-emerald-400">
<span className="w-1.5 h-1.5 rounded-full bg-emerald-400" />
</span>
);
}
const TABLE_HEADERS = [
'모델명',
'데이터 기준일',
'마지막 다운로드',
'상태',
'소요 시간',
'다음 예정',
];
function ForecastTable({
rows,
loading,
}: {
rows: NumericalDataStatus[];
loading: boolean;
}) {
return (
<div className="overflow-auto">
<table className="w-full text-xs border-collapse">
<thead>
<tr className="bg-bg-2 text-t3 uppercase tracking-wide">
{TABLE_HEADERS.map((h) => (
<th
key={h}
className="px-3 py-2 text-left font-medium border-b border-border-1 whitespace-nowrap"
>
{h}
</th>
))}
</tr>
</thead>
<tbody>
{loading && rows.length === 0
? Array.from({ length: 6 }).map((_, i) => (
<tr key={i} className="border-b border-border-1 animate-pulse">
{TABLE_HEADERS.map((_, j) => (
<td key={j} className="px-3 py-2">
<div className="h-3 bg-bg-2 rounded w-16" />
</td>
))}
</tr>
))
: rows.map((row) => (
<tr key={row.jobName} className="border-b border-border-1 hover:bg-bg-1/50">
<td className="px-3 py-2 font-medium text-t1 whitespace-nowrap">
{row.modelName}
</td>
<td className="px-3 py-2 text-t2">{row.lastDataDate ?? '-'}</td>
<td className="px-3 py-2 text-t2">{formatDatetime(row.lastDownloadedAt)}</td>
<td className="px-3 py-2">
<StatusCell row={row} />
</td>
<td className="px-3 py-2 text-t2">{formatDuration(row.durationSec)}</td>
<td className="px-3 py-2 text-t2">{formatTime(row.nextScheduledAt)}</td>
</tr>
))}
</tbody>
</table>
</div>
);
}
export default function MonitorForecastPanel() {
const [activeTab, setActiveTab] = useState<TabId>('all');
const [rows, setRows] = useState<NumericalDataStatus[]>([]);
const [loading, setLoading] = useState(false);
const [lastUpdate, setLastUpdate] = useState<Date | null>(null);
const fetchData = useCallback(async () => {
setLoading(true);
try {
const data = await getNumericalDataStatus();
setRows(data);
setLastUpdate(new Date());
} catch {
// 오류 시 기존 데이터 유지
} finally {
setLoading(false);
}
}, []);
useEffect(() => {
void fetchData();
}, [fetchData]);
const visibleRows = filterByTab(rows, activeTab);
const errorCount = visibleRows.filter(
(r) => r.lastStatus === 'FAILED'
).length;
const totalCount = visibleRows.length;
return (
<div className="flex flex-col h-full overflow-hidden">
{/* 헤더 */}
<div className="flex items-center justify-between px-5 py-3 border-b border-border-1 shrink-0">
<h2 className="text-sm font-semibold text-t1"> </h2>
<div className="flex items-center gap-3">
{lastUpdate && (
<span className="text-xs text-t3">
:{' '}
{lastUpdate.toLocaleTimeString('ko-KR', {
hour: '2-digit',
minute: '2-digit',
second: '2-digit',
})}
</span>
)}
<button
onClick={() => void fetchData()}
disabled={loading}
className="flex items-center gap-1.5 px-3 py-1.5 text-xs rounded bg-bg-2 hover:bg-bg-3 text-t2 disabled:opacity-50 disabled:cursor-not-allowed transition-colors"
>
<svg
className={`w-3.5 h-3.5 ${loading ? 'animate-spin' : ''}`}
fill="none"
viewBox="0 0 24 24"
stroke="currentColor"
>
<path
strokeLinecap="round"
strokeLinejoin="round"
strokeWidth={2}
d="M4 4v5h.582m15.356 2A8.001 8.001 0 004.582 9m0 0H9m11 11v-5h-.581m0 0a8.003 8.003 0 01-15.357-2m15.357 2H15"
/>
</svg>
</button>
</div>
</div>
{/* 탭 */}
<div className="flex gap-0 border-b border-border-1 shrink-0 px-5">
{TABS.map((tab) => (
<button
key={tab.id}
onClick={() => setActiveTab(tab.id)}
className={`px-4 py-2.5 text-xs font-medium border-b-2 transition-colors ${
activeTab === tab.id
? 'border-cyan-400 text-cyan-400'
: 'border-transparent text-t3 hover:text-t2'
}`}
>
{tab.label}
</button>
))}
</div>
{/* 상태 표시줄 */}
<div className="flex items-center gap-3 px-5 py-2 shrink-0 border-b border-border-1 bg-bg-0">
<StatusBadge loading={loading} errorCount={errorCount} total={totalCount} />
{!loading && totalCount > 0 && (
<span className="text-xs text-t3"> {totalCount}</span>
)}
</div>
{/* 테이블 */}
<div className="flex-1 overflow-auto p-5">
<ForecastTable rows={visibleRows} loading={loading} />
</div>
</div>
);
}

파일 보기

@ -0,0 +1,255 @@
import { useState, useEffect, useMemo } from 'react';
import { fetchOrganizations } from '@tabs/assets/services/assetsApi';
import type { AssetOrgCompat } from '@tabs/assets/services/assetsApi';
import { typeTagCls } from '@tabs/assets/components/assetTypes';
const PAGE_SIZE = 20;
const regionShort = (j: string) =>
j.includes('남해') ? '남해청' : j.includes('서해') ? '서해청' :
j.includes('중부') ? '중부청' : j.includes('동해') ? '동해청' :
j.includes('제주') ? '제주청' : j;
function VesselMaterialsPanel() {
const [organizations, setOrganizations] = useState<AssetOrgCompat[]>([]);
const [loading, setLoading] = useState(true);
const [searchTerm, setSearchTerm] = useState('');
const [regionFilter, setRegionFilter] = useState('전체');
const [typeFilter, setTypeFilter] = useState('전체');
const [currentPage, setCurrentPage] = useState(1);
const load = () => {
setLoading(true);
fetchOrganizations()
.then(setOrganizations)
.catch(err => console.error('[VesselMaterialsPanel] 데이터 로드 실패:', err))
.finally(() => setLoading(false));
};
useEffect(() => {
let cancelled = false;
fetchOrganizations()
.then(data => { if (!cancelled) setOrganizations(data); })
.catch(err => console.error('[VesselMaterialsPanel] 데이터 로드 실패:', err))
.finally(() => { if (!cancelled) setLoading(false); });
return () => { cancelled = true; };
}, []);
const typeOptions = useMemo(() => {
const set = new Set(organizations.map(o => o.type));
return Array.from(set).sort();
}, [organizations]);
const filtered = useMemo(() =>
organizations
.filter(o => o.vessel > 0)
.filter(o => regionFilter === '전체' || o.jurisdiction.includes(regionFilter))
.filter(o => typeFilter === '전체' || o.type === typeFilter)
.filter(o => !searchTerm || o.name.includes(searchTerm) || o.address.includes(searchTerm)),
[organizations, regionFilter, typeFilter, searchTerm]
);
const totalPages = Math.max(1, Math.ceil(filtered.length / PAGE_SIZE));
const safePage = Math.min(currentPage, totalPages);
const paged = filtered.slice((safePage - 1) * PAGE_SIZE, safePage * PAGE_SIZE);
const handleFilterChange = (setter: (v: string) => void) => (e: React.ChangeEvent<HTMLSelectElement>) => {
setter(e.target.value);
setCurrentPage(1);
};
const pageNumbers = (() => {
const range: number[] = [];
const start = Math.max(1, safePage - 2);
const end = Math.min(totalPages, safePage + 2);
for (let i = start; i <= end; i++) range.push(i);
return range;
})();
return (
<div className="flex flex-col h-full">
{/* 헤더 */}
<div className="flex items-center justify-between px-6 py-4 border-b border-border">
<div>
<h1 className="text-lg font-bold text-text-1 font-korean"> </h1>
<p className="text-xs text-text-3 mt-1 font-korean"> {filtered.length} ( )</p>
</div>
<div className="flex items-center gap-3">
<select
value={regionFilter}
onChange={handleFilterChange(setRegionFilter)}
className="px-3 py-2 text-xs bg-bg-2 border border-border rounded-md text-text-1 focus:border-primary-cyan focus:outline-none font-korean"
>
<option value="전체"> </option>
<option value="남해"></option>
<option value="서해"></option>
<option value="중부"></option>
<option value="동해"></option>
<option value="제주"></option>
</select>
<select
value={typeFilter}
onChange={handleFilterChange(setTypeFilter)}
className="px-3 py-2 text-xs bg-bg-2 border border-border rounded-md text-text-1 focus:border-primary-cyan focus:outline-none font-korean"
>
<option value="전체"> </option>
{typeOptions.map(t => (
<option key={t} value={t}>{t}</option>
))}
</select>
<input
type="text"
placeholder="기관명, 주소 검색..."
value={searchTerm}
onChange={e => { setSearchTerm(e.target.value); setCurrentPage(1); }}
className="w-56 px-3 py-2 text-xs bg-bg-2 border border-border rounded-md text-text-1 placeholder-text-3 focus:border-primary-cyan focus:outline-none font-korean"
/>
<button
onClick={load}
className="px-4 py-2 text-xs font-semibold rounded-md bg-bg-2 border border-border text-text-2 hover:border-primary-cyan hover:text-primary-cyan transition-all font-korean"
>
</button>
</div>
</div>
{/* 테이블 */}
<div className="flex-1 overflow-auto">
{loading ? (
<div className="flex items-center justify-center h-32 text-text-3 text-sm font-korean">
...
</div>
) : (
<table className="w-full">
<thead>
<tr className="border-b border-border bg-bg-1">
<th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean w-10 whitespace-nowrap"></th>
<th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th>
<th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th>
<th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th>
<th className="px-4 py-3 text-left text-[11px] font-semibold text-text-3 font-korean"></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold font-korean text-primary-cyan bg-primary-cyan/5"></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold font-korean text-text-3"></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold font-korean text-text-3"></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold font-korean text-text-3"></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold font-korean text-text-3"></th>
<th className="px-4 py-3 text-center text-[11px] font-semibold text-text-3 font-korean"></th>
</tr>
</thead>
<tbody>
{paged.length === 0 ? (
<tr>
<td colSpan={11} className="px-6 py-10 text-center text-xs text-text-3 font-korean">
.
</td>
</tr>
) : paged.map((org, idx) => (
<tr key={org.id} className="border-b border-border hover:bg-[rgba(255,255,255,0.02)] transition-colors">
<td className="px-4 py-3 text-[11px] text-text-3 font-mono text-center">
{(safePage - 1) * PAGE_SIZE + idx + 1}
</td>
<td className="px-4 py-3">
<span className={`text-[10px] px-1.5 py-0.5 rounded font-bold font-korean ${typeTagCls(org.type)}`}>
{org.type}
</span>
</td>
<td className="px-4 py-3 text-[11px] text-text-2 font-korean">
{regionShort(org.jurisdiction)}
</td>
<td className="px-4 py-3 text-[11px] text-text-1 font-korean font-semibold">
{org.name}
</td>
<td className="px-4 py-3 text-[11px] text-text-3 font-korean max-w-[200px] truncate">
{org.address}
</td>
<td className="px-4 py-3 text-[11px] font-mono text-center text-primary-cyan font-semibold bg-primary-cyan/5">
{org.vessel > 0 ? org.vessel : <span className="text-text-3"></span>}
</td>
<td className="px-4 py-3 text-[11px] font-mono text-center text-text-2">
{org.skimmer > 0 ? org.skimmer : <span className="text-text-3"></span>}
</td>
<td className="px-4 py-3 text-[11px] font-mono text-center text-text-2">
{org.pump > 0 ? org.pump : <span className="text-text-3"></span>}
</td>
<td className="px-4 py-3 text-[11px] font-mono text-center text-text-2">
{org.vehicle > 0 ? org.vehicle : <span className="text-text-3"></span>}
</td>
<td className="px-4 py-3 text-[11px] font-mono text-center text-text-2">
{org.sprayer > 0 ? org.sprayer : <span className="text-text-3"></span>}
</td>
<td className="px-4 py-3 text-[11px] font-mono text-center font-bold text-primary-cyan">
{org.totalAssets.toLocaleString()}
</td>
</tr>
))}
</tbody>
</table>
)}
</div>
{/* 합계 */}
{!loading && filtered.length > 0 && (
<div className="flex items-center gap-4 px-6 py-2 border-t border-border bg-bg-0/80">
<span className="text-[10px] text-text-3 font-korean font-semibold mr-auto">
({filtered.length} )
</span>
{[
{ label: '방제선', value: filtered.reduce((s, o) => s + o.vessel, 0), unit: '척', active: true },
{ label: '유회수기', value: filtered.reduce((s, o) => s + o.skimmer, 0), unit: '대', active: false },
{ label: '이송펌프', value: filtered.reduce((s, o) => s + o.pump, 0), unit: '대', active: false },
{ label: '방제차량', value: filtered.reduce((s, o) => s + o.vehicle, 0), unit: '대', active: false },
{ label: '살포장치', value: filtered.reduce((s, o) => s + o.sprayer, 0), unit: '대', active: false },
{ label: '총자산', value: filtered.reduce((s, o) => s + o.totalAssets, 0), unit: '', active: true },
].map((t) => (
<div key={t.label} className={`flex items-center gap-1 px-1.5 py-0.5 rounded ${t.active ? 'bg-primary-cyan/10' : ''}`}>
<span className={`text-[9px] font-korean ${t.active ? 'text-primary-cyan' : 'text-text-3'}`}>{t.label}</span>
<span className={`text-[10px] font-mono font-bold ${t.active ? 'text-primary-cyan' : 'text-text-1'}`}>
{t.value.toLocaleString()}{t.unit}
</span>
</div>
))}
</div>
)}
{/* 페이지네이션 */}
{!loading && filtered.length > 0 && (
<div className="flex items-center justify-between px-6 py-3 border-t border-border">
<span className="text-[11px] text-text-3 font-korean">
{(safePage - 1) * PAGE_SIZE + 1}{Math.min(safePage * PAGE_SIZE, filtered.length)} / {filtered.length}
</span>
<div className="flex items-center gap-1">
<button
onClick={() => setCurrentPage(p => Math.max(1, p - 1))}
disabled={safePage === 1}
className="px-2.5 py-1 text-[11px] border border-border rounded text-text-2 hover:border-primary-cyan hover:text-primary-cyan disabled:opacity-40 transition-colors"
>
&lt;
</button>
{pageNumbers.map(p => (
<button
key={p}
onClick={() => setCurrentPage(p)}
className="px-2.5 py-1 text-[11px] border rounded transition-colors"
style={p === safePage
? { borderColor: 'var(--cyan)', color: 'var(--cyan)', background: 'rgba(6,182,212,0.1)' }
: { borderColor: 'var(--border)', color: 'var(--text-2)' }
}
>
{p}
</button>
))}
<button
onClick={() => setCurrentPage(p => Math.min(totalPages, p + 1))}
disabled={safePage === totalPages}
className="px-2.5 py-1 text-[11px] border border-border rounded text-text-2 hover:border-primary-cyan hover:text-primary-cyan disabled:opacity-40 transition-colors"
>
&gt;
</button>
</div>
</div>
)}
</div>
);
}
export default VesselMaterialsPanel;

파일 보기

@ -0,0 +1,17 @@
import { api } from '@common/services/api';
export interface NumericalDataStatus {
modelName: string;
jobName: string;
lastStatus: 'COMPLETED' | 'FAILED' | 'STARTED' | 'UNKNOWN';
lastDataDate: string | null;
lastDownloadedAt: string | null;
nextScheduledAt: string | null;
durationSec: number | null;
consecutiveFailures: number;
}
export async function getNumericalDataStatus(): Promise<NumericalDataStatus[]> {
const res = await api.get<NumericalDataStatus[]>('/monitor/numerical');
return res.data;
}

파일 보기

@ -153,6 +153,7 @@ export function AnalysisListTable({ onTabChange, onSelectAnalysis }: AnalysisLis
<th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"></th> <th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"></th>
<th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"></th> <th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"></th>
<th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"></th> <th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"></th>
<th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"> </th>
<th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"></th> <th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"></th>
<th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"></th> <th className="px-4 py-3 text-left text-xs font-bold text-text-3 uppercase tracking-wider"></th>
<th className="px-4 py-3 text-right text-xs font-bold text-text-3 uppercase tracking-wider"></th> <th className="px-4 py-3 text-right text-xs font-bold text-text-3 uppercase tracking-wider"></th>
@ -167,7 +168,7 @@ export function AnalysisListTable({ onTabChange, onSelectAnalysis }: AnalysisLis
<tbody className="divide-y divide-border"> <tbody className="divide-y divide-border">
{currentAnalyses.map((analysis) => ( {currentAnalyses.map((analysis) => (
<tr <tr
key={analysis.acdntSn} key={analysis.predRunSn ?? analysis.acdntSn}
className="hover:bg-bg-2 transition-colors cursor-pointer group" className="hover:bg-bg-2 transition-colors cursor-pointer group"
> >
<td className="px-4 py-3 text-sm text-text-2 font-mono">{analysis.acdntSn}</td> <td className="px-4 py-3 text-sm text-text-2 font-mono">{analysis.acdntSn}</td>
@ -188,6 +189,7 @@ export function AnalysisListTable({ onTabChange, onSelectAnalysis }: AnalysisLis
</div> </div>
</td> </td>
<td className="px-4 py-3 text-sm text-text-2 font-mono">{analysis.occurredAt ? new Date(analysis.occurredAt).toLocaleString('ko-KR', { month: '2-digit', day: '2-digit', hour: '2-digit', minute: '2-digit' }) : '—'}</td> <td className="px-4 py-3 text-sm text-text-2 font-mono">{analysis.occurredAt ? new Date(analysis.occurredAt).toLocaleString('ko-KR', { month: '2-digit', day: '2-digit', hour: '2-digit', minute: '2-digit' }) : '—'}</td>
<td className="px-4 py-3 text-sm text-text-2 font-mono">{analysis.runDtm ? new Date(analysis.runDtm).toLocaleString('ko-KR', { month: '2-digit', day: '2-digit', hour: '2-digit', minute: '2-digit' }) : '—'}</td>
<td className="px-4 py-3 text-sm text-text-2 font-mono">{analysis.duration}</td> <td className="px-4 py-3 text-sm text-text-2 font-mono">{analysis.duration}</td>
<td className="px-4 py-3 text-sm text-text-2">{analysis.oilType}</td> <td className="px-4 py-3 text-sm text-text-2">{analysis.oilType}</td>
<td className="px-4 py-3 text-sm text-text-1 font-mono text-right font-semibold"> <td className="px-4 py-3 text-sm text-text-1 font-mono text-right font-semibold">

파일 보기

@ -519,7 +519,7 @@ export function OilSpillView() {
analysis.opendriftStatus === 'completed' || analysis.poseidonStatus === 'completed'; analysis.opendriftStatus === 'completed' || analysis.poseidonStatus === 'completed';
if (hasCompletedModel) { if (hasCompletedModel) {
try { try {
const { trajectory, summary, centerPoints: cp, windDataByModel: wdByModel, hydrDataByModel: hdByModel, summaryByModel: sbModel, stepSummariesByModel: stepSbModel } = await fetchAnalysisTrajectory(analysis.acdntSn) const { trajectory, summary, centerPoints: cp, windDataByModel: wdByModel, hydrDataByModel: hdByModel, summaryByModel: sbModel, stepSummariesByModel: stepSbModel } = await fetchAnalysisTrajectory(analysis.acdntSn, analysis.predRunSn ?? undefined)
if (trajectory && trajectory.length > 0) { if (trajectory && trajectory.length > 0) {
setOilTrajectory(trajectory) setOilTrajectory(trajectory)
if (summary) setSimulationSummary(summary) if (summary) setSimulationSummary(summary)
@ -1264,7 +1264,13 @@ export function OilSpillView() {
{activeSubTab === 'analysis' && ( {activeSubTab === 'analysis' && (
<RightPanel <RightPanel
onOpenBacktrack={handleOpenBacktrack} onOpenBacktrack={handleOpenBacktrack}
onOpenRecalc={() => setRecalcModalOpen(true)} onOpenRecalc={() => {
if (!selectedAnalysis) {
alert('선택된 사고가 없습니다.\n분석 목록에서 사고를 선택해주세요.');
return;
}
setRecalcModalOpen(true);
}}
onOpenReport={handleOpenReport} onOpenReport={handleOpenReport}
detail={analysisDetail} detail={analysisDetail}
summary={stepSummariesByModel[windHydrModel]?.[currentStep] ?? summaryByModel[windHydrModel] ?? simulationSummary} summary={stepSummariesByModel[windHydrModel]?.[currentStep] ?? summaryByModel[windHydrModel] ?? simulationSummary}
@ -1312,6 +1318,7 @@ export function OilSpillView() {
<RecalcModal <RecalcModal
isOpen={recalcModalOpen} isOpen={recalcModalOpen}
onClose={() => setRecalcModalOpen(false)} onClose={() => setRecalcModalOpen(false)}
incidentName={selectedAnalysis?.acdntNm || incidentName}
oilType={oilType} oilType={oilType}
spillAmount={spillAmount} spillAmount={spillAmount}
spillType={spillType} spillType={spillType}

파일 보기

@ -4,6 +4,7 @@ import type { PredictionModel } from './OilSpillView'
interface RecalcModalProps { interface RecalcModalProps {
isOpen: boolean isOpen: boolean
onClose: () => void onClose: () => void
incidentName: string
oilType: string oilType: string
spillAmount: number spillAmount: number
spillType: string spillType: string
@ -24,11 +25,14 @@ type RecalcPhase = 'editing' | 'running' | 'done'
const OIL_TYPES = ['벙커C유', '원유(중질)', '원유(경질)', '디젤유(경유)', '휘발유', '등유', '윤활유', 'HFO 380', 'HFO 180'] const OIL_TYPES = ['벙커C유', '원유(중질)', '원유(경질)', '디젤유(경유)', '휘발유', '등유', '윤활유', 'HFO 380', 'HFO 180']
const SPILL_TYPES = ['연속', '순간', '점진적'] const SPILL_TYPES = ['연속', '순간', '점진적']
const PREDICTION_TIMES = [12, 24, 48, 72, 96, 120] const PREDICTION_TIMES = [6, 12, 24, 48, 72, 96, 120]
const snapToValidTime = (t: number): number =>
PREDICTION_TIMES.includes(t) ? t : (PREDICTION_TIMES.find(h => h >= t) ?? PREDICTION_TIMES[0])
export function RecalcModal({ export function RecalcModal({
isOpen, isOpen,
onClose, onClose,
incidentName,
oilType: initOilType, oilType: initOilType,
spillAmount: initSpillAmount, spillAmount: initSpillAmount,
spillType: initSpillType, spillType: initSpillType,
@ -43,7 +47,7 @@ export function RecalcModal({
const [spillAmount, setSpillAmount] = useState(initSpillAmount) const [spillAmount, setSpillAmount] = useState(initSpillAmount)
const [spillUnit, setSpillUnit] = useState<'kl' | 'ton' | 'bbl'>('kl') const [spillUnit, setSpillUnit] = useState<'kl' | 'ton' | 'bbl'>('kl')
const [spillType, setSpillType] = useState(initSpillType) const [spillType, setSpillType] = useState(initSpillType)
const [predictionTime, setPredictionTime] = useState(initPredictionTime) const [predictionTime, setPredictionTime] = useState(() => snapToValidTime(initPredictionTime))
const [lat, setLat] = useState(initCoord.lat) const [lat, setLat] = useState(initCoord.lat)
const [lon, setLon] = useState(initCoord.lon) const [lon, setLon] = useState(initCoord.lon)
const [models, setModels] = useState<Set<PredictionModel>>(new Set(initModels)) const [models, setModels] = useState<Set<PredictionModel>>(new Set(initModels))
@ -56,7 +60,7 @@ export function RecalcModal({
setOilType(initOilType) setOilType(initOilType)
setSpillAmount(initSpillAmount) setSpillAmount(initSpillAmount)
setSpillType(initSpillType) setSpillType(initSpillType)
setPredictionTime(initPredictionTime) setPredictionTime(snapToValidTime(initPredictionTime))
setLat(initCoord.lat) setLat(initCoord.lat)
setLon(initCoord.lon) setLon(initCoord.lon)
setModels(new Set(initModels)) setModels(new Set(initModels))
@ -163,7 +167,7 @@ export function RecalcModal({
</div> </div>
<div style={{ display: 'grid', gridTemplateColumns: '1fr 1fr', gap: '4px' }} className="text-[9px]"> <div style={{ display: 'grid', gridTemplateColumns: '1fr 1fr', gap: '4px' }} className="text-[9px]">
<InfoItem label="사고명" value="여수 앞바다 유류오염" /> <InfoItem label="사고명" value={incidentName} />
<InfoItem label="유종" value={initOilType} /> <InfoItem label="유종" value={initOilType} />
<InfoItem label="유출량" value={`${initSpillAmount} kl`} /> <InfoItem label="유출량" value={`${initSpillAmount} kl`} />
<InfoItem label="예측시간" value={`${initPredictionTime}시간`} /> <InfoItem label="예측시간" value={`${initPredictionTime}시간`} />
@ -265,30 +269,26 @@ export function RecalcModal({
<FieldGroup label="예측 모델 선택"> <FieldGroup label="예측 모델 선택">
<div className="flex flex-wrap gap-1.5"> <div className="flex flex-wrap gap-1.5">
{([ {([
{ model: 'KOSPS' as PredictionModel, color: '#3b82f6' }, { model: 'KOSPS' as PredictionModel, color: 'var(--cyan)', ready: false },
{ model: 'POSEIDON' as PredictionModel, color: '#22c55e' }, { model: 'POSEIDON' as PredictionModel, color: 'var(--red)', ready: true },
{ model: 'OpenDrift' as PredictionModel, color: '#f97316' }, { model: 'OpenDrift' as PredictionModel, color: 'var(--blue)', ready: true },
]).map(({ model, color }) => ( ]).map(({ model, color, ready }) => (
<button <button
key={model} key={model}
className={`prd-mc ${models.has(model) ? 'on' : ''}`} className={`prd-mc ${models.has(model) ? 'on' : ''}`}
onClick={() => toggleModel(model)} onClick={() => {
if (!ready) {
alert(`${model} 모델은 현재 준비중입니다.`)
return
}
toggleModel(model)
}}
style={{ fontSize: '11px', padding: '5px 10px' }} style={{ fontSize: '11px', padding: '5px 10px' }}
> >
<span className="prd-md" style={{ background: color }} /> <span className="prd-md" style={{ background: color }} />
{model} {model}
</button> </button>
))} ))}
<button
className={`prd-mc ${models.size === 3 ? 'on' : ''}`}
onClick={() => {
if (models.size === 3) setModels(new Set(['KOSPS']))
else setModels(new Set(['KOSPS', 'POSEIDON', 'OpenDrift']))
}}
style={{ fontSize: '11px', padding: '5px 10px' }}
>
</button>
</div> </div>
</FieldGroup> </FieldGroup>
</div> </div>

파일 보기

@ -63,10 +63,11 @@ export function RightPanel({
const [insuranceExpanded, setInsuranceExpanded] = useState(false) const [insuranceExpanded, setInsuranceExpanded] = useState(false)
const weatheringStatus = useMemo(() => { const weatheringStatus = useMemo(() => {
if (!summary) return null; const zero = { surface: 0, evaporation: 0, dispersion: 0, boom: 0, beached: 0 };
if (!summary) return zero;
const total = summary.remainingVolume + summary.evaporationVolume const total = summary.remainingVolume + summary.evaporationVolume
+ summary.dispersionVolume + summary.beachedVolume + boomBlockedVolume; + summary.dispersionVolume + summary.beachedVolume + boomBlockedVolume;
if (total <= 0) return null; if (total <= 0) return zero;
const pct = (v: number) => Math.round((v / total) * 100); const pct = (v: number) => Math.round((v / total) * 100);
return { return {
surface: pct(summary.remainingVolume), surface: pct(summary.remainingVolume),
@ -288,17 +289,13 @@ export function RightPanel({
{/* 유출유 풍화 상태 */} {/* 유출유 풍화 상태 */}
<Section title="유출유 풍화 상태"> <Section title="유출유 풍화 상태">
<div className="flex flex-col gap-[3px] text-[8px]"> <div className="flex flex-col gap-[3px] text-[8px]">
{weatheringStatus ? ( <>
<> <ProgressBar label="수면잔류" value={weatheringStatus.surface} color="var(--blue)" />
<ProgressBar label="수면잔류" value={weatheringStatus.surface} color="var(--blue)" /> <ProgressBar label="증발" value={weatheringStatus.evaporation} color="var(--cyan)" />
<ProgressBar label="증발" value={weatheringStatus.evaporation} color="var(--cyan)" /> <ProgressBar label="분산" value={weatheringStatus.dispersion} color="var(--green)" />
<ProgressBar label="분산" value={weatheringStatus.dispersion} color="var(--green)" /> <ProgressBar label="펜스차단" value={weatheringStatus.boom} color="var(--boom)" />
<ProgressBar label="펜스차단" value={weatheringStatus.boom} color="var(--boom)" /> <ProgressBar label="해안도달" value={weatheringStatus.beached} color="var(--red)" />
<ProgressBar label="해안도달" value={weatheringStatus.beached} color="var(--red)" /> </>
</>
) : (
<p className="text-[9px] text-text-3 font-korean text-center py-2"> </p>
)}
</div> </div>
</Section> </Section>

파일 보기

@ -19,6 +19,8 @@ export interface PredictionAnalysis {
analyst: string; analyst: string;
officeName: string; officeName: string;
acdntSttsCd: string; acdntSttsCd: string;
predRunSn: number | null;
runDtm: string | null;
} }
export interface PredictionDetail { export interface PredictionDetail {
@ -216,8 +218,11 @@ export interface TrajectoryResponse {
stepSummariesByModel?: Record<string, SimulationSummary[]>; stepSummariesByModel?: Record<string, SimulationSummary[]>;
} }
export const fetchAnalysisTrajectory = async (acdntSn: number): Promise<TrajectoryResponse> => { export const fetchAnalysisTrajectory = async (acdntSn: number, predRunSn?: number): Promise<TrajectoryResponse> => {
const response = await api.get<TrajectoryResponse>(`/prediction/analyses/${acdntSn}/trajectory`); const response = await api.get<TrajectoryResponse>(
`/prediction/analyses/${acdntSn}/trajectory`,
predRunSn != null ? { params: { predRunSn } } : undefined,
);
return response.data; return response.data;
}; };

파일 보기

@ -276,14 +276,18 @@ function Page2({ data, editing, onChange }: { data: OilSpillReportData; editing:
<div style={S.sectionTitle}>3. </div> <div style={S.sectionTitle}>3. </div>
<div className="flex gap-4 mb-4"> <div className="flex gap-4 mb-4">
{data.step3MapImage <div style={{ flex: 1, minWidth: 0 }}>
? <img src={data.step3MapImage} alt="확산예측 3시간 지도" style={{ width: '100%', maxHeight: '240px', objectFit: 'contain', borderRadius: '4px', border: '1px solid var(--bd)' }} /> {data.step3MapImage
: <div style={S.mapPlaceholder}> 3 </div> ? <img src={data.step3MapImage} alt="확산예측 3시간 지도" style={{ width: '100%', height: 'auto', display: 'block', borderRadius: '4px', border: '1px solid var(--bd)' }} />
} : <div style={S.mapPlaceholder}> 3 </div>
{data.step6MapImage }
? <img src={data.step6MapImage} alt="확산예측 6시간 지도" style={{ width: '100%', maxHeight: '240px', objectFit: 'contain', borderRadius: '4px', border: '1px solid var(--bd)' }} /> </div>
: <div style={S.mapPlaceholder}> 6 </div> <div style={{ flex: 1, minWidth: 0 }}>
} {data.step6MapImage
? <img src={data.step6MapImage} alt="확산예측 6시간 지도" style={{ width: '100%', height: 'auto', display: 'block', borderRadius: '4px', border: '1px solid var(--bd)' }} />
: <div style={S.mapPlaceholder}> 6 </div>
}
</div>
</div> </div>
<div style={S.subHeader}> </div> <div style={S.subHeader}> </div>
<table style={S.table}> <table style={S.table}>
@ -433,9 +437,18 @@ function SensitiveResourceMapSection({ data, editing, onChange }: { data: OilSpi
// aquaculture (어장) // aquaculture (어장)
const aquacultureRows = geojson.features const aquacultureRows = geojson.features
.filter(f => ((f.properties as { category?: string })?.category ?? '').includes('어장')) .filter(f => ((f.properties as { category?: string })?.category ?? '').includes('어장'))
.sort((a, b) => {
const aNo = String((a.properties as Record<string, unknown>)['lcns_no'] ?? '');
const bNo = String((b.properties as Record<string, unknown>)['lcns_no'] ?? '');
return aNo.localeCompare(bNo, 'ko', { numeric: true });
})
.map(f => { .map(f => {
const p = f.properties as Record<string, unknown> const p = f.properties as Record<string, unknown>
return { type: String(p['fids_knd'] ?? ''), area: p['area'] != null ? Number(p['area']).toFixed(2) : '', distance: calcDist(f.geometry as { type: string; coordinates: unknown }) } const lcnsNo = String(p['lcns_no'] ?? '');
const fidsKnd = String(p['fids_knd'] ?? '');
const farmKnd = String(p['farm_knd'] ?? '');
const parts = [lcnsNo, fidsKnd, farmKnd].filter(Boolean);
return { type: parts.join('_'), area: p['area'] != null ? Number(p['area']).toFixed(2) : '', distance: calcDist(f.geometry as { type: string; coordinates: unknown }) }
}) })
// beaches (해수욕장) // beaches (해수욕장)
@ -643,7 +656,7 @@ function SensitiveResourceMapSection({ data, editing, onChange }: { data: OilSpi
// 뷰 모드: 이미지 있으면 표시, 없으면 플레이스홀더 // 뷰 모드: 이미지 있으면 표시, 없으면 플레이스홀더
if (!editing) { if (!editing) {
if (data.sensitiveMapImage) { if (data.sensitiveMapImage) {
return <img src={data.sensitiveMapImage} alt="민감자원 분포 지도" style={{ width: '100%', maxHeight: 440, objectFit: 'contain', border: '1px solid #ddd', borderRadius: 4 }} /> return <img src={data.sensitiveMapImage} alt="민감자원 분포 지도" style={{ width: '100%', height: 'auto', display: 'block', border: '1px solid #ddd', borderRadius: 4 }} />
} }
return <div style={S.mapPlaceholder}> (10km ) </div> return <div style={S.mapPlaceholder}> (10km ) </div>
} }
@ -657,7 +670,7 @@ function SensitiveResourceMapSection({ data, editing, onChange }: { data: OilSpi
if (data.sensitiveMapImage) { if (data.sensitiveMapImage) {
return ( return (
<div style={{ position: 'relative' }}> <div style={{ position: 'relative' }}>
<img src={data.sensitiveMapImage} alt="민감자원 분포 지도" style={{ width: '100%', maxHeight: 440, objectFit: 'contain', border: '1px solid #ddd', borderRadius: 4 }} /> <img src={data.sensitiveMapImage} alt="민감자원 분포 지도" style={{ width: '100%', height: 'auto', display: 'block', border: '1px solid #ddd', borderRadius: 4 }} />
<button <button
onClick={handleReset} onClick={handleReset}
style={{ position: 'absolute', top: 8, right: 8, background: 'rgba(0,0,0,0.6)', color: '#fff', border: 'none', borderRadius: 4, padding: '3px 8px', fontSize: 11, cursor: 'pointer' }} style={{ position: 'absolute', top: 8, right: 8, background: 'rgba(0,0,0,0.6)', color: '#fff', border: 'none', borderRadius: 4, padding: '3px 8px', fontSize: 11, cursor: 'pointer' }}
@ -727,7 +740,7 @@ function Page4({ data, editing, onChange }: { data: OilSpillReportData; editing:
<div style={S.sectionTitle}>4. </div> <div style={S.sectionTitle}>4. </div>
<SensitiveResourceMapSection data={data} editing={editing} onChange={onChange} /> <SensitiveResourceMapSection data={data} editing={editing} onChange={onChange} />
<div style={S.subHeader}> </div> <div style={{ ...S.subHeader, marginTop: '16px' }}> </div>
<table style={S.table}> <table style={S.table}>
<thead><tr><th style={S.th}></th><th style={S.th}>(ha)</th><th style={S.th}> (km)</th></tr></thead> <thead><tr><th style={S.th}></th><th style={S.th}>(ha)</th><th style={S.th}> (km)</th></tr></thead>
<tbody>{data.aquaculture.map((a, i) => ( <tbody>{data.aquaculture.map((a, i) => (
@ -936,7 +949,7 @@ function SensitivityMapSection({ data, editing, onChange }: { data: OilSpillRepo
if (!editing) { if (!editing) {
if (data.sensitivityMapImage) { if (data.sensitivityMapImage) {
return <img src={data.sensitivityMapImage} alt="통합민감도 평가 지도" style={{ width: '100%', maxHeight: 440, objectFit: 'contain', border: '1px solid #ddd', borderRadius: 4, marginBottom: 16 }} /> return <img src={data.sensitivityMapImage} alt="통합민감도 평가 지도" style={{ width: '100%', height: 'auto', display: 'block', border: '1px solid #ddd', borderRadius: 4, marginBottom: 16 }} />
} }
return <div style={S.mapPlaceholder}> </div> return <div style={S.mapPlaceholder}> </div>
} }
@ -946,7 +959,7 @@ function SensitivityMapSection({ data, editing, onChange }: { data: OilSpillRepo
if (data.sensitivityMapImage) { if (data.sensitivityMapImage) {
return ( return (
<div style={{ position: 'relative' }}> <div style={{ position: 'relative' }}>
<img src={data.sensitivityMapImage} alt="통합민감도 평가 지도" style={{ width: '100%', maxHeight: 440, objectFit: 'contain', border: '1px solid #ddd', borderRadius: 4 }} /> <img src={data.sensitivityMapImage} alt="통합민감도 평가 지도" style={{ width: '100%', height: 'auto', display: 'block', border: '1px solid #ddd', borderRadius: 4 }} />
<button <button
onClick={handleReset} onClick={handleReset}
style={{ position: 'absolute', top: 8, right: 8, background: 'rgba(0,0,0,0.6)', color: '#fff', border: 'none', borderRadius: 4, padding: '3px 8px', fontSize: 11, cursor: 'pointer' }} style={{ position: 'absolute', top: 8, right: 8, background: 'rgba(0,0,0,0.6)', color: '#fff', border: 'none', borderRadius: 4, padding: '3px 8px', fontSize: 11, cursor: 'pointer' }}

파일 보기

@ -68,7 +68,7 @@ function ReportGenerator({ onSave }: ReportGeneratorProps) {
const handleSave = async () => { const handleSave = async () => {
const report = createEmptyReport() const report = createEmptyReport()
report.reportType = activeCat === 0 ? '예측보고서' : activeCat === 1 ? '종합보고서' : '초기보고서' report.reportType = activeCat === 0 ? '유출유 보고' : activeCat === 1 ? '종합보고서' : '초기보고서'
report.analysisCategory = activeCat === 0 ? '유출유 확산예측' : activeCat === 1 ? 'HNS 대기확산' : '긴급구난' report.analysisCategory = activeCat === 0 ? '유출유 확산예측' : activeCat === 1 ? 'HNS 대기확산' : '긴급구난'
report.title = cat.reportName report.title = cat.reportName
report.status = '완료' report.status = '완료'

파일 보기

@ -21,6 +21,7 @@ import {
import type { TemplateType } from './reportTypes'; import type { TemplateType } from './reportTypes';
import TemplateFormEditor from './TemplateFormEditor' import TemplateFormEditor from './TemplateFormEditor'
import ReportGenerator from './ReportGenerator' import ReportGenerator from './ReportGenerator'
import TemplateEditPage from './TemplateEditPage'
// ─── Main ReportsView ──────────────────────────────────── // ─── Main ReportsView ────────────────────────────────────
export function ReportsView() { export function ReportsView() {
@ -216,8 +217,19 @@ export function ReportsView() {
{/* ──── 수정 ──── */} {/* ──── 수정 ──── */}
{view.screen === 'edit' && ( {view.screen === 'edit' && (
<div className="flex-1 overflow-auto px-4 py-4"> <div className="flex-1 overflow-hidden flex flex-col">
<OilSpillReportTemplate mode="edit" initialData={view.data} onSave={handleSave} onBack={() => { setView({ screen: 'list' }); setActiveSubTab('report-list'); refreshList() }} /> {view.data.reportType === '유출유 보고' ? (
<div className="flex-1 overflow-auto px-4 py-4">
<OilSpillReportTemplate mode="edit" initialData={view.data} onSave={handleSave} onBack={() => { setView({ screen: 'list' }); setActiveSubTab('report-list'); refreshList() }} />
</div>
) : (
<TemplateEditPage
reportType={view.data.reportType}
initialData={view.data}
onSave={handleSave}
onBack={() => { setView({ screen: 'list' }); setActiveSubTab('report-list'); refreshList() }}
/>
)}
</div> </div>
)} )}
@ -283,7 +295,8 @@ export function ReportsView() {
<div className="text-center font-korean mb-0.5 text-[9px] text-text-3"> </div> <div className="text-center font-korean mb-0.5 text-[9px] text-text-3"> </div>
<button <button
onClick={() => { onClick={() => {
const tpl = templateTypes.find(t => t.id === previewReport.reportType) const lookupType = previewReport.reportType === '유출유 보고' ? '예측보고서' : previewReport.reportType
const tpl = templateTypes.find(t => t.id === lookupType)
if (tpl) { if (tpl) {
const getVal = buildReportGetVal(previewReport) const getVal = buildReportGetVal(previewReport)
const html = generateReportHTML(tpl.label, { writeTime: previewReport.incident.writeTime, author: previewReport.author, jurisdiction: previewReport.jurisdiction }, tpl.sections, getVal) const html = generateReportHTML(tpl.label, { writeTime: previewReport.incident.writeTime, author: previewReport.author, jurisdiction: previewReport.jurisdiction }, tpl.sections, getVal)
@ -296,18 +309,24 @@ export function ReportsView() {
<span>📄</span> PDF <span>📄</span> PDF
</button> </button>
<button <button
onClick={() => { onClick={async () => {
const tpl = templateTypes.find(t => t.id === previewReport.reportType) as TemplateType | undefined const lookupType = previewReport.reportType === '유출유 보고' ? '예측보고서' : previewReport.reportType
const tpl = templateTypes.find(t => t.id === lookupType) as TemplateType | undefined
if (tpl) { if (tpl) {
const getVal = buildReportGetVal(previewReport) try {
const meta = { writeTime: previewReport.incident.writeTime, author: previewReport.author, jurisdiction: previewReport.jurisdiction } const getVal = buildReportGetVal(previewReport)
const filename = previewReport.title || tpl.label const meta = { writeTime: previewReport.incident.writeTime, author: previewReport.author, jurisdiction: previewReport.jurisdiction }
exportAsHWP(tpl.label, meta, tpl.sections, getVal, filename, { const filename = previewReport.title || tpl.label
step3: previewReport.step3MapImage || undefined, await exportAsHWP(tpl.label, meta, tpl.sections, getVal, filename, {
step6: previewReport.step6MapImage || undefined, step3: previewReport.step3MapImage || undefined,
sensitiveMap: previewReport.sensitiveMapImage || undefined, step6: previewReport.step6MapImage || undefined,
sensitivityMap: previewReport.sensitivityMapImage || undefined, sensitiveMap: previewReport.sensitiveMapImage || undefined,
}) sensitivityMap: previewReport.sensitivityMapImage || undefined,
})
} catch (err) {
console.error('[reports] HWPX 저장 오류:', err)
alert('HWPX 저장 중 오류가 발생했습니다.')
}
} }
}} }}
className="w-full flex items-center justify-center gap-1.5 font-korean text-[12px] font-bold cursor-pointer rounded-md py-[11px]" className="w-full flex items-center justify-center gap-1.5 font-korean text-[12px] font-bold cursor-pointer rounded-md py-[11px]"

파일 보기

@ -0,0 +1,396 @@
import { useState, useEffect, useCallback } from 'react';
import { type OilSpillReportData, type ReportType } from './OilSpillReportTemplate';
import { templateTypes, type TemplateType, ANALYSIS_SEP, ANALYSIS_FIELD_ORDER } from './reportTypes';
import { saveReport } from '../services/reportsApi';
interface TemplateEditPageProps {
reportType: ReportType;
initialData: OilSpillReportData;
onSave: () => void;
onBack: () => void;
}
// ── Textarea-type keys that map to analysis field ──────────
const ANALYSIS_KEYS = new Set([
'initialResponse', 'futurePlan',
'responseStatus', 'suggestions',
'spreadSummary', 'responseDetail', 'damageReport', 'futurePlanDetail',
'spreadAnalysis', 'analysis',
])
function getInitialValue(key: string, data: OilSpillReportData, reportType: ReportType): string {
if (key.startsWith('incident.')) {
const field = key.slice('incident.'.length) as keyof OilSpillReportData['incident'];
return (data.incident as Record<string, string>)[field] ?? '';
}
if (key === 'author') return data.author;
if (ANALYSIS_KEYS.has(key)) {
const fields = ANALYSIS_FIELD_ORDER[reportType];
if (fields) {
const idx = fields.indexOf(key);
if (idx < 0) return '';
const analysis = data.analysis || '';
if (!analysis.includes(ANALYSIS_SEP)) {
// 레거시 데이터: 첫 번째 필드에만 배분
return idx === 0 ? analysis : '';
}
const parts = analysis.split(ANALYSIS_SEP);
return parts[idx] || '';
}
return data.analysis || '';
}
if (key.startsWith('__')) return '';
return '';
}
function buildAnalysis(reportType: ReportType, formData: Record<string, string>): string {
const fields = ANALYSIS_FIELD_ORDER[reportType];
if (fields) {
return fields.map(k => formData[k] || '').join(ANALYSIS_SEP);
}
switch (reportType) {
case '예측보고서':
return formData['analysis'] || '';
default:
return '';
}
}
// ── Section content renderer ────────────────────────────────
interface SectionBlockProps {
section: TemplateType['sections'][number];
getVal: (key: string) => string;
setVal: (key: string, val: string) => void;
}
function SectionBlock({ section, getVal, setVal }: SectionBlockProps) {
return (
<div style={{
position: 'relative',
background: 'var(--bg1)',
padding: '28px 36px',
marginBottom: '16px',
borderRadius: '6px',
border: '1px solid var(--bd)',
}}>
<div style={{ position: 'absolute', top: 10, right: 16, fontSize: '9px', color: 'var(--t3)', fontWeight: 600 }}>
</div>
{/* Section header */}
<div style={{
background: 'rgba(6,182,212,0.12)', color: 'var(--cyan)', padding: '8px 16px',
fontSize: '13px', fontWeight: 700, marginBottom: '16px', borderRadius: '4px',
border: '1px solid rgba(6,182,212,0.2)',
}}>
{section.title}
</div>
{/* Fields table */}
<table style={{ width: '100%', tableLayout: 'fixed', borderCollapse: 'collapse', fontSize: '11px' }}>
<colgroup>
<col style={{ width: '160px' }} />
<col />
</colgroup>
<tbody>
{section.fields.map((field, fIdx) => {
// ── Read-only auto-calculated keys ──
if (field.key.startsWith('__')) {
return (
<tr key={fIdx}>
<td
colSpan={2}
style={{ border: '1px solid var(--bd)', padding: '12px 14px' }}
>
<span style={{ color: 'var(--t3)', fontStyle: 'italic', fontSize: '11px' }}>
{section.title} ( )
</span>
</td>
</tr>
);
}
// ── Textarea (no label = full-width, or labeled textarea) ──
if (field.type === 'textarea' || !field.label) {
return (
<tr key={fIdx}>
{field.label && (
<td style={{
background: 'var(--bg3)', border: '1px solid var(--bd)',
padding: '8px 14px', fontWeight: 600, color: 'var(--t2)',
verticalAlign: 'top', fontSize: '11px',
}}>
{field.label}
</td>
)}
<td
colSpan={field.label ? 1 : 2}
style={{ border: '1px solid var(--bd)', padding: '6px' }}
>
<textarea
value={getVal(field.key)}
onChange={e => setVal(field.key, e.target.value)}
placeholder="내용을 입력하세요..."
style={{
width: '100%', minHeight: '110px',
background: 'var(--bg0)', border: '1px solid var(--bdL)',
borderRadius: '3px', padding: '8px 12px',
fontSize: '12px', outline: 'none', resize: 'vertical',
color: 'var(--t1)', fontFamily: 'inherit',
}}
/>
</td>
</tr>
);
}
// ── Checkbox group ──
if (field.type === 'checkbox-group' && field.options) {
return (
<tr key={fIdx}>
<td style={{
background: 'var(--bg3)', border: '1px solid var(--bd)',
padding: '8px 14px', fontWeight: 600, color: 'var(--t2)',
verticalAlign: 'middle', fontSize: '11px',
}}>
{field.label}
</td>
<td style={{ border: '1px solid var(--bd)', padding: '8px 14px' }}>
<div style={{ display: 'flex', gap: '16px', flexWrap: 'wrap' }}>
{field.options.map(opt => (
<label key={opt} style={{
display: 'flex', alignItems: 'center', gap: '6px',
fontSize: '11px', color: 'var(--t2)', cursor: 'pointer',
}}>
<input type="checkbox" style={{ accentColor: '#06b6d4' }} />
{opt}
</label>
))}
</div>
</td>
</tr>
);
}
// ── Default: text input ──
return (
<tr key={fIdx}>
<td style={{
background: 'var(--bg3)', border: '1px solid var(--bd)',
padding: '8px 14px', fontWeight: 600, color: 'var(--t2)',
verticalAlign: 'middle', fontSize: '11px',
}}>
{field.label}
</td>
<td style={{ border: '1px solid var(--bd)', padding: '5px 10px' }}>
<input
value={getVal(field.key)}
onChange={e => setVal(field.key, e.target.value)}
placeholder={`${field.label} 입력`}
style={{
width: '100%', background: 'transparent', border: 'none',
fontSize: '11px', outline: 'none', color: 'var(--t1)', padding: '2px 0',
}}
/>
</td>
</tr>
);
})}
</tbody>
</table>
</div>
);
}
// ── Main Component ──────────────────────────────────────────
export default function TemplateEditPage({ reportType, initialData, onSave, onBack }: TemplateEditPageProps) {
const template = templateTypes.find(t => t.id === reportType)!;
const sections = template.sections;
const buildInitialFormData = useCallback(() => {
const init: Record<string, string> = {};
sections.forEach(sec => {
sec.fields.forEach(f => {
init[f.key] = getInitialValue(f.key, initialData, reportType);
});
});
return init;
}, [sections, initialData, reportType]);
const [formData, setFormData] = useState<Record<string, string>>(buildInitialFormData);
const [title, setTitle] = useState(initialData.title || '');
const [currentPage, setCurrentPage] = useState(0);
const [viewMode, setViewMode] = useState<'page' | 'all'>('page');
useEffect(() => {
// eslint-disable-next-line react-hooks/set-state-in-effect
setFormData(buildInitialFormData());
setTitle(initialData.title || '');
setCurrentPage(0);
}, [initialData, buildInitialFormData]);
const getVal = (key: string) => formData[key] ?? '';
const setVal = (key: string, val: string) => setFormData(p => ({ ...p, [key]: val }));
const handleSave = useCallback(async () => {
const updated: OilSpillReportData = {
...initialData,
title: title || formData['incident.name'] || `${reportType} ${new Date().toLocaleDateString('ko-KR')}`,
author: formData['author'] || initialData.author,
analysis: buildAnalysis(reportType, formData),
incident: {
...initialData.incident,
name: formData['incident.name'] ?? initialData.incident.name,
writeTime: formData['incident.writeTime'] ?? initialData.incident.writeTime,
shipName: formData['incident.shipName'] ?? initialData.incident.shipName,
occurTime: formData['incident.occurTime'] ?? initialData.incident.occurTime,
location: formData['incident.location'] ?? initialData.incident.location,
lat: formData['incident.lat'] ?? initialData.incident.lat,
lon: formData['incident.lon'] ?? initialData.incident.lon,
accidentType: formData['incident.accidentType'] ?? initialData.incident.accidentType,
pollutant: formData['incident.pollutant'] ?? initialData.incident.pollutant,
spillAmount: formData['incident.spillAmount'] ?? initialData.incident.spillAmount,
depth: formData['incident.depth'] ?? initialData.incident.depth,
seabed: formData['incident.seabed'] ?? initialData.incident.seabed,
agent: formData['agent'] ?? initialData.incident.agent,
},
};
try {
await saveReport(updated);
onSave();
} catch (err) {
console.error('[reports] 저장 오류:', err);
alert('보고서 저장 중 오류가 발생했습니다.');
}
}, [formData, title, initialData, reportType, onSave]);
return (
<div className="flex flex-col h-full overflow-hidden bg-bg-0">
{/* ── Toolbar ── */}
<div className="flex items-center justify-between px-5 py-3 border-b border-border bg-bg-1 shrink-0 flex-wrap gap-2">
<div className="flex items-center gap-3">
<button
onClick={onBack}
className="text-[12px] font-semibold text-text-2 hover:text-text-1 transition-colors whitespace-nowrap"
>
</button>
<input
value={title}
onChange={e => setTitle(e.target.value)}
placeholder="보고서 제목 입력"
className="text-[17px] font-bold bg-bg-0 border border-[var(--bdL)] rounded px-2.5 py-1 outline-none w-[380px] max-w-[480px]"
/>
<span
className="px-2.5 py-[3px] text-[10px] font-semibold rounded border whitespace-nowrap"
style={{ background: 'rgba(251,191,36,0.15)', color: '#f59e0b', borderColor: 'rgba(251,191,36,0.3)' }}
>
</span>
</div>
<div className="flex items-center gap-2">
<button
onClick={() => setViewMode('all')}
className="px-3.5 py-1.5 text-[11px] font-semibold rounded cursor-pointer"
style={{
border: viewMode === 'all' ? '1px solid var(--cyan)' : '1px solid var(--bd)',
background: viewMode === 'all' ? 'rgba(6,182,212,0.1)' : 'var(--bg2)',
color: viewMode === 'all' ? 'var(--cyan)' : 'var(--t3)',
}}
>
</button>
<button
onClick={() => setViewMode('page')}
className="px-3.5 py-1.5 text-[11px] font-semibold rounded cursor-pointer"
style={{
border: viewMode === 'page' ? '1px solid var(--cyan)' : '1px solid var(--bd)',
background: viewMode === 'page' ? 'rgba(6,182,212,0.1)' : 'var(--bg2)',
color: viewMode === 'page' ? 'var(--cyan)' : 'var(--t3)',
}}
>
</button>
<button
onClick={handleSave}
className="px-4 py-1.5 text-[11px] font-bold rounded cursor-pointer border border-[#22c55e] bg-[rgba(34,197,94,0.15)] text-status-green"
>
</button>
<button
onClick={() => window.print()}
className="px-3.5 py-1.5 text-[11px] font-semibold rounded cursor-pointer border border-[var(--red)] bg-[rgba(239,68,68,0.1)] text-status-red"
>
/ PDF
</button>
</div>
</div>
{/* ── Section Tabs (page mode) ── */}
{viewMode === 'page' && (
<div className="flex gap-1 px-5 py-2 border-b border-border bg-bg-1 flex-wrap shrink-0">
{sections.map((sec, i) => (
<button
key={i}
onClick={() => setCurrentPage(i)}
className="px-3 py-1.5 text-[11px] font-semibold rounded cursor-pointer"
style={{
border: currentPage === i ? '1px solid var(--cyan)' : '1px solid var(--bd)',
background: currentPage === i ? 'rgba(6,182,212,0.15)' : 'transparent',
color: currentPage === i ? 'var(--cyan)' : 'var(--t3)',
}}
>
{sec.title}
</button>
))}
</div>
)}
{/* ── Content ── */}
<div className="flex-1 overflow-auto px-5 py-5">
<div id="report-print-area" className="w-full">
{viewMode === 'all' ? (
sections.map((sec, i) => (
<SectionBlock key={i} section={sec} getVal={getVal} setVal={setVal} />
))
) : (
<div>
<SectionBlock section={sections[currentPage]} getVal={getVal} setVal={setVal} />
{/* ── Pagination ── */}
<div className="flex justify-center items-center gap-3 mt-5">
<button
onClick={() => setCurrentPage(p => Math.max(0, p - 1))}
disabled={currentPage === 0}
className="px-5 py-2 text-[12px] font-semibold rounded border border-border bg-bg-2 cursor-pointer"
style={{ color: currentPage === 0 ? 'var(--t3)' : 'var(--t1)', opacity: currentPage === 0 ? 0.4 : 1 }}
>
</button>
<span className="px-4 py-2 text-[12px] text-text-2">
{currentPage + 1} / {sections.length}
</span>
<button
onClick={() => setCurrentPage(p => Math.min(sections.length - 1, p + 1))}
disabled={currentPage === sections.length - 1}
className="px-5 py-2 text-[12px] font-semibold rounded cursor-pointer"
style={{
border: '1px solid var(--cyan)',
background: 'rgba(6,182,212,0.1)',
color: currentPage === sections.length - 1 ? 'var(--t3)' : 'var(--cyan)',
opacity: currentPage === sections.length - 1 ? 0.4 : 1,
}}
>
</button>
</div>
</div>
)}
</div>
</div>
</div>
);
}

파일 보기

@ -640,8 +640,11 @@ function buildHwpxFromHtmlTableElement(table: Element): string {
* <table> hp:tbl, <p> buildPara, * <table> hp:tbl, <p> buildPara,
*/ */
function htmlContentToHwpx(html: string): string { function htmlContentToHwpx(html: string): string {
// <img> 태그 제거: HWPX 이미지는 buildPicParagraph로 별도 처리됨
// DOMParser에 대용량 base64 data URL 전달 방지
const cleanHtml = html.replace(/<img\b[^>]*>/gi, '');
const parser = new DOMParser(); const parser = new DOMParser();
const doc = parser.parseFromString(`<div>${html}</div>`, 'text/html'); const doc = parser.parseFromString(`<div>${cleanHtml}</div>`, 'text/html');
const container = doc.body.firstElementChild; const container = doc.body.firstElementChild;
if (!container) return buildPara('-', 0); if (!container) return buildPara('-', 0);
@ -891,7 +894,7 @@ export async function exportAsHWPX(
extraManifestItems += `<opf:item id="${fileId}" href="${filePath}" media-type="${mediaType}"/>`; extraManifestItems += `<opf:item id="${fileId}" href="${filePath}" media-type="${mediaType}"/>`;
// inMemory="NO": 데이터는 ZIP 내 파일로 저장, 요소 내용은 파일 경로 // inMemory="NO": 데이터는 ZIP 내 파일로 저장, 요소 내용은 파일 경로
binDataListXml += binDataListXml +=
`<hh:binData id="${binId}" isSameDocData="0" compress="YES" inMemory="NO" ` + `<hh:binData id="${binId}" isSameDocData="0" compress="NO" inMemory="NO" ` +
`doNotCompressFile="0" blockDecompress="0" limitWidth="0" limitHeight="0">${filePath}</hh:binData>`; `doNotCompressFile="0" blockDecompress="0" limitWidth="0" limitHeight="0">${filePath}</hh:binData>`;
binCount++; binCount++;
}; };
@ -918,15 +921,15 @@ export async function exportAsHWPX(
processImage(images.sensitivityMap, 4, 'image4'); processImage(images.sensitivityMap, 4, 'image4');
} }
// header.xml: binDataList를 hh:refList 내부에 삽입 (HWPML 스펙 준수) // header.xml: binDataList를 hh:refList 에 삽입 (HWPML 스펙 준수)
let headerXml = HEADER_XML; let headerXml = HEADER_XML;
if (binCount > 0) { if (binCount > 0) {
const binDataList = const binDataList =
`<hh:binDataList itemCnt="${binCount}">` + `<hh:binDataList itemCnt="${binCount}">` +
binDataListXml + binDataListXml +
'</hh:binDataList>'; '</hh:binDataList>';
// refList 닫힘 태그 직전에 삽입해야 함 (binDataList는 refList의 자식) // refList 닫힘 태그 직후에 삽입 (binDataList는 head의 직접 자식)
headerXml = HEADER_XML.replace('</hh:refList>', binDataList + '</hh:refList>'); headerXml = HEADER_XML.replace('</hh:refList>', '</hh:refList>' + binDataList);
} }
// Contents // Contents

파일 보기

@ -222,6 +222,15 @@ export const templateTypes: TemplateType[] = [
}, },
] ]
// ─── 분석 필드 구분자 (다중 필드 → analysis 단일 컬럼 저장) ──────────
export const ANALYSIS_SEP = '\n\n<<<SEP>>>\n\n';
export const ANALYSIS_FIELD_ORDER: Partial<Record<ReportType, string[]>> = {
'초기보고서': ['initialResponse', 'futurePlan'],
'지휘부 보고': ['responseStatus', 'suggestions'],
'종합보고서': ['spreadSummary', 'responseDetail', 'damageReport', 'futurePlanDetail'],
};
// ─── Report Generator types & data ──────────────────────── // ─── Report Generator types & data ────────────────────────
export interface ReportSection { export interface ReportSection {
id: string id: string

파일 보기

@ -1,5 +1,6 @@
import { sanitizeHtml } from '@common/utils/sanitize'; import { sanitizeHtml } from '@common/utils/sanitize';
import type { OilSpillReportData } from './OilSpillReportTemplate'; import type { OilSpillReportData } from './OilSpillReportTemplate';
import { ANALYSIS_SEP, ANALYSIS_FIELD_ORDER } from './reportTypes';
// ─── Report Export Helpers ────────────────────────────── // ─── Report Export Helpers ──────────────────────────────
export function generateReportHTML( export function generateReportHTML(
@ -229,6 +230,18 @@ export function buildReportGetVal(report: OilSpillReportData) {
if (key === '__vessels') return formatVesselsTable(report.vessels) if (key === '__vessels') return formatVesselsTable(report.vessels)
if (key === '__recovery') return formatRecoveryTable(report.recovery) if (key === '__recovery') return formatRecoveryTable(report.recovery)
if (key === '__result') return formatResultTable(report.result) if (key === '__result') return formatResultTable(report.result)
// 분석 필드 키 처리 (ANALYSIS_FIELD_ORDER에 정의된 키들 → report.analysis에서 split)
for (const fields of Object.values(ANALYSIS_FIELD_ORDER)) {
if (fields && fields.includes(key)) {
const idx = fields.indexOf(key);
const analysis = report.analysis || '';
if (!analysis.includes(ANALYSIS_SEP)) {
return idx === 0 ? analysis : '';
}
const parts = analysis.split(ANALYSIS_SEP);
return parts[idx] || '';
}
}
// eslint-disable-next-line @typescript-eslint/no-explicit-any // eslint-disable-next-line @typescript-eslint/no-explicit-any
return (report as any)[key] || '' return (report as any)[key] || ''
} }