mirror of
https://github.com/simstudioai/sim.git
synced 2026-02-04 19:55:08 -05:00
* improvement(collab): do not refetch active workflow id * progress on files * more integrations * separate server and client logic * consolidate more code * fix integrations * fix types * consolidate more code * fix tests * fix more bugbot comments * fix type check * fix circular impport * address more bugbot comments * fix ocr integrations * fix typing * remove leftover type * address bugbot comment * fix file block adv mode * fix * normalize file input * fix v2 blocmks for ocr * fix for v2 versions * fix more v2 blocks * update single file blocks * make interface simpler * cleanup fireflies * remove file only annotation * accept all types * added wand to ssh block * user files should be passed through * improve docs * fix slack to include successful execs * fix dropbox upload file * fix sendgrid * fix dropbox * fix * fix * update skills * fix uploaded file --------- Co-authored-by: waleed <walif6@gmail.com>
223 lines
7.2 KiB
TypeScript
223 lines
7.2 KiB
TypeScript
import { createLogger } from '@sim/logger'
|
|
import { type NextRequest, NextResponse } from 'next/server'
|
|
import { z } from 'zod'
|
|
import { checkInternalAuth } from '@/lib/auth/hybrid'
|
|
import { generateRequestId } from '@/lib/core/utils/request'
|
|
import { RawFileInputArraySchema } from '@/lib/uploads/utils/file-schemas'
|
|
import { processFilesToUserFiles } from '@/lib/uploads/utils/file-utils'
|
|
import { downloadFileFromStorage } from '@/lib/uploads/utils/file-utils.server'
|
|
import {
|
|
base64UrlEncode,
|
|
buildMimeMessage,
|
|
buildSimpleEmailMessage,
|
|
fetchThreadingHeaders,
|
|
} from '@/tools/gmail/utils'
|
|
|
|
export const dynamic = 'force-dynamic'
|
|
|
|
const logger = createLogger('GmailDraftAPI')
|
|
|
|
const GMAIL_API_BASE = 'https://gmail.googleapis.com/gmail/v1/users/me'
|
|
|
|
const GmailDraftSchema = z.object({
|
|
accessToken: z.string().min(1, 'Access token is required'),
|
|
to: z.string().min(1, 'Recipient email is required'),
|
|
subject: z.string().optional().nullable(),
|
|
body: z.string().min(1, 'Email body is required'),
|
|
contentType: z.enum(['text', 'html']).optional().nullable(),
|
|
threadId: z.string().optional().nullable(),
|
|
replyToMessageId: z.string().optional().nullable(),
|
|
cc: z.string().optional().nullable(),
|
|
bcc: z.string().optional().nullable(),
|
|
attachments: RawFileInputArraySchema.optional().nullable(),
|
|
})
|
|
|
|
export async function POST(request: NextRequest) {
|
|
const requestId = generateRequestId()
|
|
|
|
try {
|
|
const authResult = await checkInternalAuth(request, { requireWorkflowId: false })
|
|
|
|
if (!authResult.success) {
|
|
logger.warn(`[${requestId}] Unauthorized Gmail draft attempt: ${authResult.error}`)
|
|
return NextResponse.json(
|
|
{
|
|
success: false,
|
|
error: authResult.error || 'Authentication required',
|
|
},
|
|
{ status: 401 }
|
|
)
|
|
}
|
|
|
|
logger.info(`[${requestId}] Authenticated Gmail draft request via ${authResult.authType}`, {
|
|
userId: authResult.userId,
|
|
})
|
|
|
|
const body = await request.json()
|
|
const validatedData = GmailDraftSchema.parse(body)
|
|
|
|
logger.info(`[${requestId}] Creating Gmail draft`, {
|
|
to: validatedData.to,
|
|
subject: validatedData.subject || '',
|
|
hasAttachments: !!(validatedData.attachments && validatedData.attachments.length > 0),
|
|
attachmentCount: validatedData.attachments?.length || 0,
|
|
})
|
|
|
|
const threadingHeaders = validatedData.replyToMessageId
|
|
? await fetchThreadingHeaders(validatedData.replyToMessageId, validatedData.accessToken)
|
|
: {}
|
|
|
|
const originalMessageId = threadingHeaders.messageId
|
|
const originalReferences = threadingHeaders.references
|
|
const originalSubject = threadingHeaders.subject
|
|
|
|
let rawMessage: string | undefined
|
|
|
|
if (validatedData.attachments && validatedData.attachments.length > 0) {
|
|
const rawAttachments = validatedData.attachments
|
|
logger.info(`[${requestId}] Processing ${rawAttachments.length} attachment(s)`)
|
|
|
|
const attachments = processFilesToUserFiles(rawAttachments, requestId, logger)
|
|
|
|
if (attachments.length === 0) {
|
|
logger.warn(`[${requestId}] No valid attachments found after processing`)
|
|
} else {
|
|
const totalSize = attachments.reduce((sum, file) => sum + file.size, 0)
|
|
const maxSize = 25 * 1024 * 1024 // 25MB
|
|
|
|
if (totalSize > maxSize) {
|
|
const sizeMB = (totalSize / (1024 * 1024)).toFixed(2)
|
|
return NextResponse.json(
|
|
{
|
|
success: false,
|
|
error: `Total attachment size (${sizeMB}MB) exceeds Gmail's limit of 25MB`,
|
|
},
|
|
{ status: 400 }
|
|
)
|
|
}
|
|
|
|
const attachmentBuffers = await Promise.all(
|
|
attachments.map(async (file) => {
|
|
try {
|
|
logger.info(
|
|
`[${requestId}] Downloading attachment: ${file.name} (${file.size} bytes)`
|
|
)
|
|
|
|
const buffer = await downloadFileFromStorage(file, requestId, logger)
|
|
|
|
return {
|
|
filename: file.name,
|
|
mimeType: file.type || 'application/octet-stream',
|
|
content: buffer,
|
|
}
|
|
} catch (error) {
|
|
logger.error(`[${requestId}] Failed to download attachment ${file.name}:`, error)
|
|
throw new Error(
|
|
`Failed to download attachment "${file.name}": ${error instanceof Error ? error.message : 'Unknown error'}`
|
|
)
|
|
}
|
|
})
|
|
)
|
|
|
|
const mimeMessage = buildMimeMessage({
|
|
to: validatedData.to,
|
|
cc: validatedData.cc ?? undefined,
|
|
bcc: validatedData.bcc ?? undefined,
|
|
subject: validatedData.subject || originalSubject || '',
|
|
body: validatedData.body,
|
|
contentType: validatedData.contentType || 'text',
|
|
inReplyTo: originalMessageId,
|
|
references: originalReferences,
|
|
attachments: attachmentBuffers,
|
|
})
|
|
|
|
logger.info(`[${requestId}] Built MIME message for draft (${mimeMessage.length} bytes)`)
|
|
rawMessage = base64UrlEncode(mimeMessage)
|
|
}
|
|
}
|
|
|
|
if (!rawMessage) {
|
|
rawMessage = buildSimpleEmailMessage({
|
|
to: validatedData.to,
|
|
cc: validatedData.cc,
|
|
bcc: validatedData.bcc,
|
|
subject: validatedData.subject || originalSubject,
|
|
body: validatedData.body,
|
|
contentType: validatedData.contentType || 'text',
|
|
inReplyTo: originalMessageId,
|
|
references: originalReferences,
|
|
})
|
|
}
|
|
|
|
const draftMessage: { raw: string; threadId?: string } = { raw: rawMessage }
|
|
|
|
if (validatedData.threadId) {
|
|
draftMessage.threadId = validatedData.threadId
|
|
}
|
|
|
|
const gmailResponse = await fetch(`${GMAIL_API_BASE}/drafts`, {
|
|
method: 'POST',
|
|
headers: {
|
|
Authorization: `Bearer ${validatedData.accessToken}`,
|
|
'Content-Type': 'application/json',
|
|
},
|
|
body: JSON.stringify({
|
|
message: draftMessage,
|
|
}),
|
|
})
|
|
|
|
if (!gmailResponse.ok) {
|
|
const errorText = await gmailResponse.text()
|
|
logger.error(`[${requestId}] Gmail API error:`, errorText)
|
|
return NextResponse.json(
|
|
{
|
|
success: false,
|
|
error: `Gmail API error: ${gmailResponse.statusText}`,
|
|
},
|
|
{ status: gmailResponse.status }
|
|
)
|
|
}
|
|
|
|
const data = await gmailResponse.json()
|
|
|
|
logger.info(`[${requestId}] Draft created successfully`, { draftId: data.id })
|
|
|
|
return NextResponse.json({
|
|
success: true,
|
|
output: {
|
|
content: 'Email drafted successfully',
|
|
metadata: {
|
|
id: data.id,
|
|
message: {
|
|
id: data.message?.id,
|
|
threadId: data.message?.threadId,
|
|
labelIds: data.message?.labelIds,
|
|
},
|
|
},
|
|
},
|
|
})
|
|
} catch (error) {
|
|
if (error instanceof z.ZodError) {
|
|
logger.warn(`[${requestId}] Invalid request data`, { errors: error.errors })
|
|
return NextResponse.json(
|
|
{
|
|
success: false,
|
|
error: 'Invalid request data',
|
|
details: error.errors,
|
|
},
|
|
{ status: 400 }
|
|
)
|
|
}
|
|
|
|
logger.error(`[${requestId}] Error creating Gmail draft:`, error)
|
|
|
|
return NextResponse.json(
|
|
{
|
|
success: false,
|
|
error: error instanceof Error ? error.message : 'Internal server error',
|
|
},
|
|
{ status: 500 }
|
|
)
|
|
}
|
|
}
|