ERP-node/frontend/app/(main)/admin/mail/send/page.tsx

853 lines
30 KiB
TypeScript
Raw Normal View History

2025-10-01 16:15:53 +09:00
"use client";
import React, { useState, useEffect, KeyboardEvent } from "react";
2025-10-01 16:15:53 +09:00
import { Card, CardContent, CardHeader, CardTitle } from "@/components/ui/card";
import { Button } from "@/components/ui/button";
import { Input } from "@/components/ui/input";
import { Label } from "@/components/ui/label";
import { Textarea } from "@/components/ui/textarea";
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from "@/components/ui/select";
import {
Send,
Mail,
FileText,
Eye,
X,
Loader2,
CheckCircle2,
AlertCircle,
Users,
UserPlus,
EyeOff,
Upload,
Paperclip,
File,
LayoutDashboard,
} from "lucide-react";
import { useRouter } from "next/navigation";
2025-10-01 16:15:53 +09:00
import {
MailAccount,
MailTemplate,
getMailAccounts,
getMailTemplates,
sendMail,
extractTemplateVariables,
renderTemplateToHtml,
} from "@/lib/api/mail";
import { useToast } from "@/hooks/use-toast";
2025-10-01 16:15:53 +09:00
export default function MailSendPage() {
const router = useRouter();
const { toast } = useToast();
2025-10-01 16:15:53 +09:00
const [accounts, setAccounts] = useState<MailAccount[]>([]);
const [templates, setTemplates] = useState<MailTemplate[]>([]);
const [loading, setLoading] = useState(false);
const [sending, setSending] = useState(false);
2025-10-01 16:15:53 +09:00
// 폼 상태
const [selectedAccountId, setSelectedAccountId] = useState<string>("");
const [selectedTemplateId, setSelectedTemplateId] = useState<string>("");
const [to, setTo] = useState<string[]>([]);
const [cc, setCc] = useState<string[]>([]);
const [bcc, setBcc] = useState<string[]>([]);
const [toInput, setToInput] = useState<string>("");
const [ccInput, setCcInput] = useState<string>("");
const [bccInput, setBccInput] = useState<string>("");
2025-10-01 16:15:53 +09:00
const [subject, setSubject] = useState<string>("");
const [customHtml, setCustomHtml] = useState<string>("");
2025-10-01 16:15:53 +09:00
const [variables, setVariables] = useState<Record<string, string>>({});
const [showPreview, setShowPreview] = useState(false);
// 템플릿 변수
const [templateVariables, setTemplateVariables] = useState<string[]>([]);
// 첨부파일
const [attachments, setAttachments] = useState<File[]>([]);
const [isDragging, setIsDragging] = useState(false);
2025-10-01 16:15:53 +09:00
useEffect(() => {
loadData();
}, []);
const loadData = async () => {
try {
setLoading(true);
2025-10-01 16:15:53 +09:00
const [accountsData, templatesData] = await Promise.all([
getMailAccounts(),
getMailTemplates(),
]);
setAccounts(accountsData.filter((acc) => acc.status === "active"));
setTemplates(templatesData);
} catch (error: unknown) {
const err = error as Error;
toast({
title: "데이터 로드 실패",
description: err.message,
variant: "destructive",
});
2025-10-01 16:15:53 +09:00
} finally {
setLoading(false);
}
};
// 템플릿 선택 시
const handleTemplateChange = (templateId: string) => {
// "__custom__"는 직접 작성을 의미
if (templateId === "__custom__") {
setSelectedTemplateId("");
setTemplateVariables([]);
setVariables({});
return;
}
setSelectedTemplateId(templateId);
const template = templates.find((t) => t.id === templateId);
if (template) {
setSubject(template.subject);
const vars = extractTemplateVariables(template);
setTemplateVariables(vars);
2025-10-01 16:15:53 +09:00
const initialVars: Record<string, string> = {};
vars.forEach((v) => {
initialVars[v] = "";
2025-10-01 16:15:53 +09:00
});
setVariables(initialVars);
} else {
setTemplateVariables([]);
setVariables({});
}
};
// 이메일 태그 입력 처리 (쉼표, 엔터, 공백 시 추가)
const handleEmailInput = (
e: KeyboardEvent<HTMLInputElement>,
type: "to" | "cc" | "bcc"
) => {
const input = type === "to" ? toInput : type === "cc" ? ccInput : bccInput;
const setInput =
type === "to" ? setToInput : type === "cc" ? setCcInput : setBccInput;
const emails = type === "to" ? to : type === "cc" ? cc : bcc;
const setEmails = type === "to" ? setTo : type === "cc" ? setCc : setBcc;
if (e.key === "Enter" || e.key === "," || e.key === " ") {
e.preventDefault();
const trimmedInput = input.trim().replace(/,$/, "");
if (trimmedInput && isValidEmail(trimmedInput)) {
if (!emails.includes(trimmedInput)) {
setEmails([...emails, trimmedInput]);
}
setInput("");
} else if (trimmedInput) {
toast({
title: "잘못된 이메일 형식",
description: `"${trimmedInput}"은(는) 올바른 이메일 주소가 아닙니다.`,
variant: "destructive",
});
}
2025-10-01 16:15:53 +09:00
}
};
2025-10-01 16:15:53 +09:00
// 이메일 주소 유효성 검사
const isValidEmail = (email: string) => {
const regex = /^[^\s@]+@[^\s@]+\.[^\s@]+$/;
return regex.test(email);
2025-10-01 16:15:53 +09:00
};
// 이메일 태그 제거
const removeEmail = (email: string, type: "to" | "cc" | "bcc") => {
if (type === "to") {
setTo(to.filter((e) => e !== email));
} else if (type === "cc") {
setCc(cc.filter((e) => e !== email));
} else {
setBcc(bcc.filter((e) => e !== email));
}
2025-10-01 16:15:53 +09:00
};
// 텍스트를 HTML로 변환 (줄바꿈 처리)
const convertTextToHtml = (text: string) => {
// 줄바꿈을 <br>로 변환하고 단락으로 감싸기
const paragraphs = text.split('\n\n').filter(p => p.trim());
const html = paragraphs
.map(p => `<p style="margin: 0 0 16px 0; line-height: 1.6;">${p.replace(/\n/g, '<br>')}</p>`)
.join('');
return `
<div style="font-family: Arial, sans-serif; max-width: 600px; margin: 0 auto; padding: 20px; color: #333;">
${html}
</div>
`;
2025-10-01 16:15:53 +09:00
};
// 메일 발송
const handleSendMail = async () => {
if (!selectedAccountId) {
toast({
title: "계정 선택 필요",
description: "발송할 메일 계정을 선택해주세요.",
variant: "destructive",
});
2025-10-01 16:15:53 +09:00
return;
}
if (to.length === 0) {
toast({
title: "수신자 필요",
description: "받는 사람을 1명 이상 입력해주세요.",
variant: "destructive",
});
2025-10-01 16:15:53 +09:00
return;
}
if (!subject.trim()) {
toast({
title: "제목 필요",
description: "메일 제목을 입력해주세요.",
variant: "destructive",
});
2025-10-01 16:15:53 +09:00
return;
}
if (!selectedTemplateId && !customHtml.trim()) {
toast({
title: "내용 필요",
description: "템플릿을 선택하거나 메일 내용을 입력해주세요.",
variant: "destructive",
});
2025-10-01 16:15:53 +09:00
return;
}
try {
setSending(true);
// 텍스트를 HTML로 자동 변환
const htmlContent = customHtml ? convertTextToHtml(customHtml) : undefined;
// FormData 생성 (파일 첨부 지원)
const formData = new FormData();
formData.append("accountId", selectedAccountId);
if (selectedTemplateId) {
formData.append("templateId", selectedTemplateId);
}
formData.append("to", JSON.stringify(to));
if (cc.length > 0) {
formData.append("cc", JSON.stringify(cc));
}
if (bcc.length > 0) {
formData.append("bcc", JSON.stringify(bcc));
}
formData.append("subject", subject);
if (variables && Object.keys(variables).length > 0) {
formData.append("variables", JSON.stringify(variables));
}
if (htmlContent) {
formData.append("customHtml", htmlContent);
}
// 첨부파일 추가 (한글 파일명 처리)
attachments.forEach((file) => {
formData.append("attachments", file);
});
// 원본 파일명을 JSON으로 전송 (한글 파일명 보존)
if (attachments.length > 0) {
const originalFileNames = attachments.map(file => {
// 파일명 정규화 (NFD → NFC)
const normalizedName = file.name.normalize('NFC');
console.log('📎 파일명 정규화:', file.name, '->', normalizedName);
return normalizedName;
});
formData.append("fileNames", JSON.stringify(originalFileNames));
console.log('📎 전송할 정규화된 파일명들:', originalFileNames);
}
// API 호출 (FormData 전송)
const authToken = localStorage.getItem("authToken");
if (!authToken) {
throw new Error("인증 토큰이 없습니다. 다시 로그인해주세요.");
}
const response = await fetch("/api/mail/send/simple", {
method: "POST",
headers: {
Authorization: `Bearer ${authToken}`,
},
body: formData,
2025-10-01 16:15:53 +09:00
});
if (!response.ok) {
const error = await response.json();
throw new Error(error.message || "메일 발송 실패");
}
// 성공 토스트
toast({
title: (
<div className="flex items-center gap-2">
<CheckCircle2 className="w-5 h-5 text-green-500" />
<span> !</span>
</div>
) as any,
description: `${to.length}${cc.length > 0 ? ` (참조 ${cc.length}명)` : ""}${bcc.length > 0 ? ` (숨은참조 ${bcc.length}명)` : ""}${attachments.length > 0 ? ` (첨부파일 ${attachments.length}개)` : ""}에게 메일이 성공적으로 발송되었습니다.`,
className: "border-green-500 bg-green-50",
2025-10-01 16:15:53 +09:00
});
// 폼 초기화
setTo([]);
setCc([]);
setBcc([]);
setToInput("");
setCcInput("");
setBccInput("");
setSubject("");
setCustomHtml("");
2025-10-01 16:15:53 +09:00
setVariables({});
setSelectedTemplateId("");
setAttachments([]);
} catch (error: unknown) {
const err = error as Error;
toast({
title: (
<div className="flex items-center gap-2">
<AlertCircle className="w-5 h-5 text-red-500" />
<span> </span>
</div>
) as any,
description: err.message || "메일 발송 중 오류가 발생했습니다.",
variant: "destructive",
2025-10-01 16:15:53 +09:00
});
} finally {
setSending(false);
2025-10-01 16:15:53 +09:00
}
};
// 파일 첨부 관련 함수
const handleFileSelect = (e: React.ChangeEvent<HTMLInputElement>) => {
const files = Array.from(e.target.files || []);
addFiles(files);
// input 초기화
e.target.value = "";
};
const handleDragOver = (e: React.DragEvent<HTMLDivElement>) => {
e.preventDefault();
setIsDragging(true);
};
const handleDragLeave = (e: React.DragEvent<HTMLDivElement>) => {
e.preventDefault();
setIsDragging(false);
};
const handleDrop = (e: React.DragEvent<HTMLDivElement>) => {
e.preventDefault();
setIsDragging(false);
const files = Array.from(e.dataTransfer.files);
addFiles(files);
};
const addFiles = (files: File[]) => {
// 파일 검증
const validFiles = files.filter((file) => {
// 파일 크기 제한 (10MB)
if (file.size > 10 * 1024 * 1024) {
toast({
title: "파일 크기 초과",
description: `${file.name}은(는) 10MB를 초과합니다.`,
variant: "destructive",
});
return false;
}
// 위험한 확장자 차단
const dangerousExtensions = [".exe", ".bat", ".cmd", ".sh", ".ps1", ".msi"];
const extension = file.name.toLowerCase().substring(file.name.lastIndexOf("."));
if (dangerousExtensions.includes(extension)) {
toast({
title: "허용되지 않는 파일 형식",
description: `${extension} 파일은 첨부할 수 없습니다.`,
variant: "destructive",
});
return false;
}
return true;
});
// 최대 5개 제한
const totalFiles = attachments.length + validFiles.length;
if (totalFiles > 5) {
toast({
title: "파일 개수 초과",
description: "최대 5개까지만 첨부할 수 있습니다.",
variant: "destructive",
});
return;
}
setAttachments([...attachments, ...validFiles]);
};
const removeFile = (index: number) => {
setAttachments(attachments.filter((_, i) => i !== index));
};
const formatFileSize = (bytes: number) => {
if (bytes === 0) return "0 Bytes";
const k = 1024;
const sizes = ["Bytes", "KB", "MB"];
const i = Math.floor(Math.log(bytes) / Math.log(k));
return Math.round(bytes / Math.pow(k, i) * 100) / 100 + " " + sizes[i];
};
// 미리보기
const handlePreview = () => {
setShowPreview(!showPreview);
};
const getPreviewHtml = () => {
if (selectedTemplateId) {
const template = templates.find((t) => t.id === selectedTemplateId);
if (template) {
return renderTemplateToHtml(template, variables);
}
}
// 일반 텍스트를 HTML로 변환하여 미리보기
return customHtml ? convertTextToHtml(customHtml) : "";
};
2025-10-01 16:15:53 +09:00
if (loading) {
return (
<div className="flex items-center justify-center min-h-[60vh]">
<Loader2 className="w-8 h-8 animate-spin text-primary" />
2025-10-01 16:15:53 +09:00
</div>
);
}
return (
<div className="p-6 space-y-6 bg-slate-50 min-h-screen">
{/* 헤더 */}
<div className="flex items-center justify-between bg-white rounded-lg shadow-sm border p-6">
<div>
<h1 className="text-3xl font-bold text-gray-900"> </h1>
<p className="mt-2 text-gray-600">릿 </p>
2025-10-01 16:15:53 +09:00
</div>
<Button
variant="outline"
size="sm"
onClick={() => router.push('/admin/mail/dashboard')}
>
<LayoutDashboard className="w-4 h-4 mr-2" />
</Button>
</div>
2025-10-01 16:15:53 +09:00
<div className="grid grid-cols-1 lg:grid-cols-3 gap-6">
{/* 메일 작성 폼 */}
<div className="lg:col-span-2 space-y-6">
{/* 발송 설정 */}
<Card>
<CardHeader>
<CardTitle className="flex items-center gap-2">
<Mail className="w-5 h-5" />
</CardTitle>
</CardHeader>
<CardContent className="space-y-4">
{/* 발송 계정 선택 */}
<div>
<Label htmlFor="account"> *</Label>
<Select value={selectedAccountId} onValueChange={setSelectedAccountId}>
<SelectTrigger id="account">
<SelectValue placeholder="발송할 메일 계정을 선택하세요" />
</SelectTrigger>
<SelectContent>
{accounts.map((account) => (
<SelectItem key={account.id} value={account.id}>
{account.name} ({account.email})
</SelectItem>
))}
</SelectContent>
</Select>
</div>
2025-10-01 16:15:53 +09:00
{/* 템플릿 선택 */}
<div>
<Label htmlFor="template">릿 ()</Label>
<Select value={selectedTemplateId} onValueChange={handleTemplateChange}>
<SelectTrigger id="template">
<SelectValue placeholder="템플릿을 선택하거나 직접 작성하세요" />
</SelectTrigger>
<SelectContent>
<SelectItem value="__custom__"> </SelectItem>
2025-10-01 16:15:53 +09:00
{templates.map((template) => (
<SelectItem key={template.id} value={template.id}>
2025-10-01 16:15:53 +09:00
{template.name}
</SelectItem>
))}
</SelectContent>
</Select>
</div>
</CardContent>
</Card>
{/* 수신자 */}
<Card>
<CardHeader>
<CardTitle className="flex items-center gap-2">
<Users className="w-5 h-5" />
</CardTitle>
</CardHeader>
<CardContent className="space-y-4">
{/* 받는 사람 */}
<div>
<Label htmlFor="to" className="flex items-center gap-2">
<Mail className="w-4 h-4" />
*
</Label>
<div className="space-y-2">
<div className="flex flex-wrap gap-2 p-3 border rounded-lg bg-white min-h-[42px]">
{to.map((email) => (
<div
key={email}
className="flex items-center gap-1 px-2 py-1 bg-blue-100 text-blue-700 rounded-md text-sm"
>
<span>{email}</span>
<button
onClick={() => removeEmail(email, "to")}
className="hover:bg-blue-200 rounded p-0.5"
>
<X className="w-3 h-3" />
</button>
</div>
2025-10-01 16:15:53 +09:00
))}
<input
id="to"
type="text"
value={toInput}
onChange={(e) => setToInput(e.target.value)}
onKeyDown={(e) => handleEmailInput(e, "to")}
placeholder={to.length === 0 ? "이메일 주소 입력 후 엔터, 쉼표, 스페이스" : ""}
className="flex-1 outline-none min-w-[200px] text-sm"
/>
</div>
<p className="text-xs text-gray-500">
💡 , (,),
</p>
2025-10-01 16:15:53 +09:00
</div>
</div>
2025-10-01 16:15:53 +09:00
{/* 참조 (CC) */}
<div>
<Label htmlFor="cc" className="flex items-center gap-2">
<UserPlus className="w-4 h-4" />
(CC)
</Label>
<div className="space-y-2">
<div className="flex flex-wrap gap-2 p-3 border rounded-lg bg-white min-h-[42px]">
{cc.map((email) => (
<div
key={email}
className="flex items-center gap-1 px-2 py-1 bg-green-100 text-green-700 rounded-md text-sm"
>
<span>{email}</span>
<button
onClick={() => removeEmail(email, "cc")}
className="hover:bg-green-200 rounded p-0.5"
>
<X className="w-3 h-3" />
</button>
</div>
))}
<input
id="cc"
type="text"
value={ccInput}
onChange={(e) => setCcInput(e.target.value)}
onKeyDown={(e) => handleEmailInput(e, "cc")}
placeholder={cc.length === 0 ? "참조로 받을 이메일 주소" : ""}
className="flex-1 outline-none min-w-[200px] text-sm"
/>
</div>
<p className="text-xs text-gray-500">
</p>
2025-10-01 16:15:53 +09:00
</div>
</div>
2025-10-01 16:15:53 +09:00
{/* 숨은참조 (BCC) */}
<div>
<Label htmlFor="bcc" className="flex items-center gap-2">
<EyeOff className="w-4 h-4" />
(BCC)
</Label>
<div className="space-y-2">
<div className="flex flex-wrap gap-2 p-3 border rounded-lg bg-white min-h-[42px]">
{bcc.map((email) => (
<div
key={email}
className="flex items-center gap-1 px-2 py-1 bg-purple-100 text-purple-700 rounded-md text-sm"
>
<span>{email}</span>
<button
onClick={() => removeEmail(email, "bcc")}
className="hover:bg-purple-200 rounded p-0.5"
>
<X className="w-3 h-3" />
</button>
2025-10-01 16:15:53 +09:00
</div>
))}
<input
id="bcc"
type="text"
value={bccInput}
onChange={(e) => setBccInput(e.target.value)}
onKeyDown={(e) => handleEmailInput(e, "bcc")}
placeholder={bcc.length === 0 ? "숨은참조로 받을 이메일 주소" : ""}
className="flex-1 outline-none min-w-[200px] text-sm"
/>
2025-10-01 16:15:53 +09:00
</div>
<p className="text-xs text-gray-500">
🔒 ()
</p>
2025-10-01 16:15:53 +09:00
</div>
</div>
</CardContent>
</Card>
2025-10-01 16:15:53 +09:00
{/* 메일 내용 */}
<Card>
<CardHeader>
<CardTitle className="flex items-center gap-2">
<FileText className="w-5 h-5" />
</CardTitle>
</CardHeader>
<CardContent className="space-y-4">
{/* 제목 */}
<div>
<Label htmlFor="subject"> *</Label>
<Input
id="subject"
value={subject}
onChange={(e) => setSubject(e.target.value)}
placeholder="메일 제목을 입력하세요"
/>
</div>
{/* 템플릿 변수 입력 */}
{templateVariables.length > 0 && (
<div className="space-y-2">
<Label>릿 </Label>
{templateVariables.map((varName) => (
<div key={varName}>
<Label htmlFor={`var-${varName}`} className="text-xs">
{varName}
</Label>
<Input
id={`var-${varName}`}
value={variables[varName] || ""}
onChange={(e) =>
setVariables({ ...variables, [varName]: e.target.value })
}
placeholder={`{${varName}} 변수 값`}
/>
2025-10-01 16:15:53 +09:00
</div>
))}
</div>
)}
{/* 직접 작성 */}
{!selectedTemplateId && (
<div>
<Label htmlFor="customHtml"></Label>
<Textarea
id="customHtml"
value={customHtml}
onChange={(e) => setCustomHtml(e.target.value)}
placeholder="메일 내용을 입력하세요&#10;&#10;줄바꿈은 자동으로 처리됩니다."
rows={10}
/>
<p className="text-xs text-gray-500 mt-1">
💡
</p>
</div>
)}
</CardContent>
</Card>
{/* 파일 첨부 */}
<Card>
<CardHeader>
<CardTitle className="flex items-center gap-2">
<Paperclip className="w-5 h-5" />
</CardTitle>
</CardHeader>
<CardContent className="space-y-4">
{/* 드래그 앤 드롭 영역 */}
<div
onDragOver={handleDragOver}
onDragLeave={handleDragLeave}
onDrop={handleDrop}
className={`border-2 border-dashed rounded-lg p-8 text-center transition-colors cursor-pointer ${
isDragging
? "border-primary bg-primary/5"
: "border-gray-300 hover:border-primary/50"
}`}
onClick={() => document.getElementById("file-input")?.click()}
2025-10-01 16:15:53 +09:00
>
<input
id="file-input"
type="file"
multiple
onChange={handleFileSelect}
className="hidden"
/>
<Upload className="w-12 h-12 mx-auto text-gray-400 mb-3" />
<p className="text-sm text-gray-600 mb-1">
</p>
<p className="text-xs text-gray-500">
5, 10MB
</p>
</div>
{/* 첨부된 파일 목록 */}
{attachments.length > 0 && (
<div className="space-y-2">
<Label> ({attachments.length})</Label>
<div className="space-y-2">
{attachments.map((file, index) => (
<div
key={index}
className="flex items-center justify-between p-3 bg-gray-50 rounded-lg border"
>
<div className="flex items-center gap-3 flex-1 min-w-0">
<File className="w-5 h-5 text-gray-500 flex-shrink-0" />
<div className="flex-1 min-w-0">
<p className="text-sm font-medium text-gray-900 truncate">
{file.name}
</p>
<p className="text-xs text-gray-500">
{formatFileSize(file.size)}
</p>
</div>
</div>
<Button
variant="ghost"
size="sm"
onClick={() => removeFile(index)}
className="flex-shrink-0 text-red-500 hover:text-red-600 hover:bg-red-50"
>
<X className="w-4 h-4" />
</Button>
</div>
))}
2025-10-01 16:15:53 +09:00
</div>
</div>
)}
</CardContent>
</Card>
{/* 발송 버튼 */}
<div className="flex gap-3">
<Button
onClick={handleSendMail}
disabled={sending}
className="flex-1"
size="lg"
>
{sending ? (
<>
<Loader2 className="w-5 h-5 mr-2 animate-spin" />
...
</>
) : (
<>
<Send className="w-5 h-5 mr-2" />
</>
)}
</Button>
<Button
onClick={handlePreview}
variant="outline"
size="lg"
>
<Eye className="w-5 h-5 mr-2" />
</Button>
2025-10-01 16:15:53 +09:00
</div>
</div>
2025-10-01 16:15:53 +09:00
{/* 미리보기 패널 */}
{showPreview && (
2025-10-01 16:15:53 +09:00
<div className="lg:col-span-1">
<Card className="sticky top-6">
<CardHeader>
<CardTitle className="flex items-center justify-between">
<div className="flex items-center gap-2">
<Eye className="w-5 h-5" />
2025-10-01 16:15:53 +09:00
</div>
<Button
variant="ghost"
size="sm"
onClick={() => setShowPreview(false)}
>
<X className="w-4 h-4" />
</Button>
</CardTitle>
</CardHeader>
<CardContent>
<div className="border rounded-lg p-4 bg-white overflow-auto max-h-[70vh]">
<div className="space-y-2 mb-4 pb-4 border-b">
<div className="text-sm">
<span className="font-semibold"> :</span> {to.join(", ") || "-"}
</div>
{cc.length > 0 && (
<div className="text-sm">
<span className="font-semibold">:</span> {cc.join(", ")}
</div>
)}
{bcc.length > 0 && (
<div className="text-sm">
<span className="font-semibold">:</span> {bcc.join(", ")}
</div>
)}
<div className="text-sm">
<span className="font-semibold">:</span> {subject || "-"}
</div>
{attachments.length > 0 && (
<div className="text-sm">
<span className="font-semibold">:</span> {attachments.length}
<div className="ml-4 mt-1 space-y-1">
{attachments.map((file, index) => (
<div key={index} className="flex items-center gap-2 text-xs text-gray-600">
<File className="w-3 h-3" />
<span className="truncate">{file.name}</span>
<span className="text-gray-400">({formatFileSize(file.size)})</span>
</div>
))}
</div>
</div>
)}
2025-10-01 16:15:53 +09:00
</div>
<div dangerouslySetInnerHTML={{ __html: getPreviewHtml() }} />
</div>
</CardContent>
</Card>
2025-10-01 16:15:53 +09:00
</div>
)}
2025-10-01 16:15:53 +09:00
</div>
</div>
);
}