import { NextResponse } from 'next/server'; import { ImapFlow } from 'imapflow'; import { getServerSession } from 'next-auth'; import { authOptions } from '@/app/api/auth/[...nextauth]/route'; import { prisma } from '@/lib/prisma'; import { LRUCache } from 'lru-cache'; // Simple in-memory cache for email content const emailContentCache = new LRUCache({ max: 100, ttl: 1000 * 60 * 15, // 15 minutes }); export async function GET( request: Request, { params }: { params: { id: string } } ) { try { // 1. Properly await params to avoid Next.js error const { id } = await Promise.resolve(params); // 2. Authentication check const session = await getServerSession(authOptions); if (!session?.user?.id) { return NextResponse.json( { error: 'Unauthorized' }, { status: 401 } ); } // 3. Check cache first const cacheKey = `email:${session.user.id}:${id}`; const cachedEmail = emailContentCache.get(cacheKey); if (cachedEmail) { return NextResponse.json(cachedEmail); } // 4. Get credentials from database const credentials = await prisma.mailCredentials.findUnique({ where: { userId: session.user.id } }); if (!credentials) { return NextResponse.json( { error: 'No mail credentials found. Please configure your email account.' }, { status: 401 } ); } // 5. Create IMAP client const client = new ImapFlow({ host: credentials.host, port: credentials.port, secure: true, auth: { user: credentials.email, pass: credentials.password, }, logger: false, emitLogs: false, tls: { rejectUnauthorized: false }, disableAutoIdle: true }); try { await client.connect(); // 6. Open INBOX await client.mailboxOpen('INBOX'); // 7. Fetch the email with UID search const options = { uid: true, // This is crucial - we must specify uid:true to fetch by UID source: true, envelope: true, bodyStructure: true, flags: true }; // Fetch by UID console.log('Fetching email with UID:', id); const message = await client.fetchOne(id, options); if (!message) { console.error('Email not found with UID:', id); return NextResponse.json( { error: 'Email not found' }, { status: 404 } ); } // 8. Parse the email content const emailContent = { id: message.uid.toString(), from: message.envelope.from?.[0]?.address || '', fromName: message.envelope.from?.[0]?.name || message.envelope.from?.[0]?.address?.split('@')[0] || '', to: message.envelope.to?.map((addr: any) => addr.address).join(', ') || '', subject: message.envelope.subject || '(No subject)', date: message.envelope.date?.toISOString() || new Date().toISOString(), content: message.source?.toString() || '', read: message.flags.has('\\Seen'), starred: message.flags.has('\\Flagged'), flags: Array.from(message.flags), hasAttachments: message.bodyStructure?.type === 'multipart') }; // 9. Cache the email content emailContentCache.set(cacheKey, emailContent); // 10. Return the email content return NextResponse.json(emailContent); } finally { // 11. Close the connection try { await client.logout(); } catch (e) { console.error('Error during IMAP logout:', e); } } } catch (error) { console.error('Error fetching email:', error); return NextResponse.json( { error: 'Failed to fetch email content' }, { status: 500 } ); } }