summaryrefslogtreecommitdiff
path: root/lib
diff options
context:
space:
mode:
Diffstat (limited to 'lib')
-rw-r--r--lib/cover/cover-service.ts213
-rw-r--r--lib/swp/project-utils.ts47
-rw-r--r--lib/swp/table/swp-table-columns.tsx105
-rw-r--r--lib/swp/table/swp-table.tsx22
4 files changed, 346 insertions, 41 deletions
diff --git a/lib/cover/cover-service.ts b/lib/cover/cover-service.ts
new file mode 100644
index 00000000..eecc289b
--- /dev/null
+++ b/lib/cover/cover-service.ts
@@ -0,0 +1,213 @@
+// lib/cover/cover-service.ts
+import { PDFNet } from "@pdftron/pdfnet-node"
+import { promises as fs } from "fs"
+import path from "path"
+import { file as tmpFile } from "tmp-promise"
+import db from "@/db/db"
+import { projectCoverTemplates, projects } from "@/db/schema"
+import { eq, and } from "drizzle-orm"
+
+/**
+ * 프로젝트 정보 조회
+ */
+async function getProjectInfo(projectId: number) {
+ const [project] = await db
+ .select({
+ id: projects.id,
+ code: projects.code,
+ name: projects.name,
+ })
+ .from(projects)
+ .where(eq(projects.id, projectId))
+ .limit(1)
+
+ return project || null
+}
+
+/**
+ * 활성 커버페이지 템플릿 조회
+ */
+async function getActiveTemplate(projectId: number) {
+ const [template] = await db
+ .select()
+ .from(projectCoverTemplates)
+ .where(
+ and(
+ eq(projectCoverTemplates.projectId, projectId),
+ eq(projectCoverTemplates.isActive, true)
+ )
+ )
+ .limit(1)
+
+ return template || null
+}
+
+/**
+ * 웹 경로를 실제 파일 시스템 경로로 변환
+ * 환경변수 NAS_PATH를 기준으로 통일
+ */
+function convertWebPathToFilePath(webPath: string): string {
+ // 환경변수 기준 (개발: public, 프로덕션: NAS)
+ const storagePath = process.env.NAS_PATH || path.join(process.cwd(), "public")
+
+ // /api/files/... 형태인 경우 처리
+ if (webPath.startsWith("/api/files/")) {
+ const requestedPath = webPath.substring("/api/files/".length)
+ return path.join(storagePath, requestedPath)
+ }
+
+ // /uploads/... 형태
+ if (webPath.startsWith("/uploads/")) {
+ return path.join(storagePath, webPath.substring(1))
+ }
+
+ // /archive/... 형태
+ if (webPath.startsWith("/archive/")) {
+ return path.join(storagePath, webPath.substring(1))
+ }
+
+ // 이미 절대 경로인 경우 그대로 반환
+ if (path.isAbsolute(webPath)) {
+ return webPath
+ }
+
+ // 상대 경로인 경우
+ return path.join(storagePath, webPath)
+}
+
+/**
+ * 커버페이지 생성 (템플릿 변수 치환)
+ *
+ * @param projectId - 프로젝트 ID
+ * @param docNumber - 문서 번호
+ * @returns 생성된 DOCX 파일 버퍼
+ */
+export async function generateCoverPage(
+ projectId: number,
+ docNumber: string
+): Promise<{
+ success: boolean
+ buffer?: Buffer
+ fileName?: string
+ error?: string
+}> {
+ try {
+ console.log(`📄 커버페이지 생성 시작 - ProjectID: ${projectId}, DocNumber: ${docNumber}`)
+
+ // 1. 프로젝트 정보 조회
+ const project = await getProjectInfo(projectId)
+ if (!project) {
+ return {
+ success: false,
+ error: "프로젝트를 찾을 수 없습니다"
+ }
+ }
+
+ console.log(`✅ 프로젝트 정보 조회 완료:`, project)
+
+ // 2. 활성 템플릿 조회
+ const template = await getActiveTemplate(projectId)
+ if (!template) {
+ return {
+ success: false,
+ error: "활성 커버페이지 템플릿을 찾을 수 없습니다"
+ }
+ }
+
+ console.log(`✅ 템플릿 조회 완료:`, template.templateName)
+
+ // 3. 템플릿 파일 경로 변환
+ console.log(`🔄 웹 경로: ${template.filePath}`)
+ const templateFilePath = convertWebPathToFilePath(template.filePath)
+ console.log(`📂 실제 파일 경로: ${templateFilePath}`)
+ console.log(`💾 파일 저장소 경로: ${process.env.NAS_PATH || path.join(process.cwd(), "public")}`)
+
+ // 4. 템플릿 파일 존재 확인
+ try {
+ await fs.access(templateFilePath)
+ console.log(`✅ 템플릿 파일 존재 확인 완료`)
+ } catch {
+ console.error(`❌ 템플릿 파일을 찾을 수 없음: ${templateFilePath}`)
+ return {
+ success: false,
+ error: `템플릿 파일을 찾을 수 없습니다: ${template.filePath}`
+ }
+ }
+
+ // 5. 템플릿 변수 데이터 준비
+ const templateData = {
+ docNumber: docNumber,
+ projectNumber: project.code,
+ projectName: project.name,
+ }
+
+ console.log(`🔄 템플릿 변수:`, templateData)
+
+ // 6. PDFTron으로 변수 치환 (서버 사이드)
+ const result = await PDFNet.runWithCleanup(async () => {
+ console.log("🔄 PDFTron 초기화 및 변수 치환 시작")
+
+ // 임시 파일 생성 (결과물 저장용)
+ const { path: tempOutputPath, cleanup } = await tmpFile({
+ postfix: ".docx",
+ })
+
+ try {
+ // 템플릿 로드 및 변수 치환
+ console.log("📄 템플릿 로드 중...")
+ const templateDoc = await PDFNet.Convert.createOfficeTemplateWithPath(
+ templateFilePath
+ )
+
+ console.log("🔄 변수 치환 중...")
+ // JSON 형태로 변수 전달하여 치환
+ const resultDoc = await templateDoc.fillTemplateJson(
+ JSON.stringify(templateData)
+ )
+
+ console.log("💾 결과 파일 저장 중...")
+ // 임시 파일로 저장
+ await resultDoc.save(tempOutputPath, PDFNet.SDFDoc.SaveOptions.e_linearized)
+
+ console.log("✅ 변수 치환 완료")
+
+ // 파일 읽기
+ const buffer = await fs.readFile(tempOutputPath)
+
+ return {
+ success: true,
+ buffer: Buffer.from(buffer),
+ }
+ } finally {
+ // 임시 파일 정리
+ await cleanup()
+ }
+ }, process.env.NEXT_PUBLIC_PDFTRON_SERVER_KEY)
+
+ if (!result.success || !result.buffer) {
+ return {
+ success: false,
+ error: "커버페이지 생성 중 오류가 발생했습니다"
+ }
+ }
+
+ // 7. 파일명 생성
+ const fileName = `${docNumber}_cover.docx`
+
+ console.log(`✅ 커버페이지 생성 완료: ${fileName}`)
+
+ return {
+ success: true,
+ buffer: result.buffer,
+ fileName,
+ }
+
+ } catch (error) {
+ console.error("❌ 커버페이지 생성 오류:", error)
+ return {
+ success: false,
+ error: error instanceof Error ? error.message : "알 수 없는 오류"
+ }
+ }
+}
+
diff --git a/lib/swp/project-utils.ts b/lib/swp/project-utils.ts
new file mode 100644
index 00000000..682c8da0
--- /dev/null
+++ b/lib/swp/project-utils.ts
@@ -0,0 +1,47 @@
+// lib/swp/project-utils.ts
+import db from "@/db/db"
+import { projects } from "@/db/schema"
+import { eq } from "drizzle-orm"
+
+/**
+ * 프로젝트 코드(PROJ_NO)로 프로젝트 ID 조회
+ *
+ * @param projectCode - 프로젝트 코드 (PROJ_NO)
+ * @returns 프로젝트 ID 또는 null
+ */
+export async function getProjectIdByCode(projectCode: string): Promise<number | null> {
+ try {
+ const [project] = await db
+ .select({ id: projects.id })
+ .from(projects)
+ .where(eq(projects.code, projectCode))
+ .limit(1)
+
+ return project?.id || null
+ } catch (error) {
+ console.error(`❌ 프로젝트 ID 조회 실패 (코드: ${projectCode}):`, error)
+ return null
+ }
+}
+
+/**
+ * 프로젝트 코드로 프로젝트 전체 정보 조회
+ *
+ * @param projectCode - 프로젝트 코드 (PROJ_NO)
+ * @returns 프로젝트 정보 또는 null
+ */
+export async function getProjectByCode(projectCode: string) {
+ try {
+ const [project] = await db
+ .select()
+ .from(projects)
+ .where(eq(projects.code, projectCode))
+ .limit(1)
+
+ return project || null
+ } catch (error) {
+ console.error(`❌ 프로젝트 정보 조회 실패 (코드: ${projectCode}):`, error)
+ return null
+ }
+}
+
diff --git a/lib/swp/table/swp-table-columns.tsx b/lib/swp/table/swp-table-columns.tsx
index 5334bd8c..9fb85d2a 100644
--- a/lib/swp/table/swp-table-columns.tsx
+++ b/lib/swp/table/swp-table-columns.tsx
@@ -1,10 +1,12 @@
"use client";
+import React from "react";
import { ColumnDef } from "@tanstack/react-table";
import { Badge } from "@/components/ui/badge";
import { Button } from "@/components/ui/button";
-import { Download } from "lucide-react";
+import { Download, Loader2 } from "lucide-react";
import type { DocumentListItem } from "@/lib/swp/document-service";
+import { toast } from "sonner";
export const swpDocumentColumns: ColumnDef<DocumentListItem>[] = [
{
@@ -130,24 +132,87 @@ export const swpDocumentColumns: ColumnDef<DocumentListItem>[] = [
{
id: "actions",
header: "액션",
- cell: ({ row }) => (
- <Button
- variant="ghost"
- size="sm"
- onClick={(e) => {
- e.stopPropagation(); // 행 클릭 이벤트 방지
- // 커버페이지 다운로드 핸들러는 부모 컴포넌트에서 제공
- const event = new CustomEvent('coverDownload', {
- detail: { document: row.original }
- });
- window.dispatchEvent(event);
- }}
- className="h-8 px-2"
- >
- <Download className="h-4 w-4 mr-1" />
- 커버페이지
- </Button>
- ),
- size: 120,
+ cell: function ActionCell({ row }) {
+ const [isDownloading, setIsDownloading] = React.useState(false);
+
+ const handleDownloadCover = async (e: React.MouseEvent) => {
+ e.stopPropagation(); // 행 클릭 이벤트 방지
+
+ const docNumber = row.original.DOC_NO;
+ const projectCode = row.original.PROJ_NO;
+
+ if (!docNumber || !projectCode) {
+ toast.error("문서 번호 또는 프로젝트 정보가 없습니다.");
+ return;
+ }
+
+ setIsDownloading(true);
+
+ try {
+ // 1. 프로젝트 코드로 프로젝트 ID 조회
+ const projectIdResponse = await fetch(
+ `/api/projects/code-to-id?code=${encodeURIComponent(projectCode)}`
+ );
+
+ if (!projectIdResponse.ok) {
+ toast.error("프로젝트 정보를 찾을 수 없습니다.");
+ return;
+ }
+
+ const { projectId } = await projectIdResponse.json();
+
+ // 2. 커버페이지 다운로드 API 호출
+ const response = await fetch(
+ `/api/projects/${projectId}/cover?docNumber=${encodeURIComponent(docNumber)}`
+ );
+
+ if (!response.ok) {
+ const error = await response.json();
+ throw new Error(error.message || "커버페이지 다운로드 실패");
+ }
+
+ // 3. 파일 다운로드
+ const blob = await response.blob();
+ const url = window.URL.createObjectURL(blob);
+ const a = document.createElement("a");
+ a.href = url;
+ a.download = `${docNumber}_cover.docx`;
+ document.body.appendChild(a);
+ a.click();
+ window.URL.revokeObjectURL(url);
+ document.body.removeChild(a);
+
+ toast.success("커버페이지 다운로드가 시작되었습니다.");
+
+ } catch (error) {
+ console.error("커버페이지 다운로드 오류:", error);
+ toast.error(
+ error instanceof Error
+ ? error.message
+ : "커버페이지 다운로드 중 오류가 발생했습니다."
+ );
+ } finally {
+ setIsDownloading(false);
+ }
+ };
+
+ return (
+ <Button
+ variant="ghost"
+ size="sm"
+ onClick={handleDownloadCover}
+ disabled={isDownloading}
+ className="h-8 w-8 p-0"
+ title="커버페이지 다운로드"
+ >
+ {isDownloading ? (
+ <Loader2 className="h-4 w-4 animate-spin" />
+ ) : (
+ <Download className="h-4 w-4" />
+ )}
+ </Button>
+ );
+ },
+ size: 80,
},
];
diff --git a/lib/swp/table/swp-table.tsx b/lib/swp/table/swp-table.tsx
index 4d824f77..21a1c775 100644
--- a/lib/swp/table/swp-table.tsx
+++ b/lib/swp/table/swp-table.tsx
@@ -1,6 +1,6 @@
"use client";
-import React, { useState, useEffect } from "react";
+import React, { useState } from "react";
import {
useReactTable,
getCoreRowModel,
@@ -17,15 +17,12 @@ import {
import { swpDocumentColumns } from "./swp-table-columns";
import { SwpDocumentDetailDialog } from "./swp-document-detail-dialog";
import type { DocumentListItem } from "@/lib/swp/document-service";
-import { toast } from "sonner";
-import { quickDownload } from "@/lib/file-download";
interface SwpTableProps {
documents: DocumentListItem[];
projNo: string;
vendorCode: string;
userId: string;
- onCoverDownload?: (document: DocumentListItem) => void;
}
export function SwpTable({
@@ -33,7 +30,6 @@ export function SwpTable({
projNo,
vendorCode,
userId,
- onCoverDownload,
}: SwpTableProps) {
const [dialogOpen, setDialogOpen] = useState(false);
const [selectedDocument, setSelectedDocument] = useState<DocumentListItem | null>(null);
@@ -50,22 +46,6 @@ export function SwpTable({
setDialogOpen(true);
};
- // 커버페이지 다운로드 이벤트 리스너
- useEffect(() => {
- const handleCoverDownload = (event: CustomEvent) => {
- const { document } = event.detail;
- if (onCoverDownload) {
- onCoverDownload(document);
- }
- };
-
- window.addEventListener('coverDownload', handleCoverDownload as EventListener);
-
- return () => {
- window.removeEventListener('coverDownload', handleCoverDownload as EventListener);
- };
- }, [onCoverDownload]);
-
return (
<div className="space-y-4">
{/* 테이블 */}