58 lines
1.6 KiB
TypeScript
58 lines
1.6 KiB
TypeScript
import nodemailer from 'nodemailer';
|
|
import { getServerAppServices } from '@/lib/services/create-services.server';
|
|
import { config } from '../config';
|
|
import { ReactElement } from 'react';
|
|
|
|
let transporterInstance: nodemailer.Transporter | null = null;
|
|
|
|
function getTransporter() {
|
|
if (transporterInstance) return transporterInstance;
|
|
|
|
if (!config.mail.host) {
|
|
throw new Error('MAIL_HOST is not configured. Please check your environment variables.');
|
|
}
|
|
|
|
transporterInstance = nodemailer.createTransport({
|
|
host: config.mail.host,
|
|
port: config.mail.port,
|
|
secure: config.mail.port === 465,
|
|
auth: {
|
|
user: config.mail.user,
|
|
pass: config.mail.pass,
|
|
},
|
|
});
|
|
|
|
return transporterInstance;
|
|
}
|
|
|
|
interface SendEmailOptions {
|
|
to?: string | string[];
|
|
replyTo?: string;
|
|
subject: string;
|
|
html: string;
|
|
}
|
|
|
|
export async function sendEmail({ to, replyTo, subject, html }: SendEmailOptions) {
|
|
const recipients = to || config.mail.recipients;
|
|
|
|
const mailOptions = {
|
|
from: config.mail.from,
|
|
to: recipients,
|
|
replyTo,
|
|
subject,
|
|
html,
|
|
};
|
|
|
|
const logger = getServerAppServices().logger.child({ component: 'mailer' });
|
|
|
|
try {
|
|
const info = await getTransporter().sendMail(mailOptions);
|
|
logger.info('Email sent successfully', { messageId: info.messageId, subject, recipients });
|
|
return { success: true, messageId: info.messageId };
|
|
} catch (error) {
|
|
const errorMsg = error instanceof Error ? error.message : String(error);
|
|
logger.error('Error sending email', { error: errorMsg, subject, recipients });
|
|
return { success: false, error: errorMsg };
|
|
}
|
|
}
|