ffffng/server/services/mailService.ts

222 lines
5.9 KiB
TypeScript
Raw Permalink Normal View History

import _ from "lodash";
import moment, { Moment } from "moment";
import { db } from "../db/database";
import Logger from "../logger";
import * as MailTemplateService from "./mailTemplateService";
import * as Resources from "../utils/resources";
import type { RestParams } from "../utils/resources";
2022-07-18 17:49:42 +02:00
import {
EmailAddress,
isJSONObject,
isMailSortField,
isMailType,
2022-07-18 17:49:42 +02:00
Mail,
MailData,
MailId,
MailSortField,
MailSortFieldEnum,
2022-07-18 17:49:42 +02:00
MailType,
UnixTimestampSeconds,
2022-07-18 17:49:42 +02:00
} from "../types";
import ErrorTypes from "../utils/errorTypes";
import { send } from "../mail";
import { parseJSON } from "../shared/utils/json";
2022-07-18 17:49:42 +02:00
type EmaiQueueRow = {
id: MailId;
created_at: UnixTimestampSeconds;
data: string;
email: string;
failures: number;
modified_at: UnixTimestampSeconds;
recipient: EmailAddress;
sender: EmailAddress;
2022-07-18 17:49:42 +02:00
};
const MAIL_QUEUE_DB_BATCH_SIZE = 50;
async function sendMail(options: Mail): Promise<void> {
Logger.tag("mail", "queue").info(
"Sending pending mail[%d] of type %s. " + "Had %d failures before.",
options.id,
options.email,
options.failures
);
const renderedTemplate = await MailTemplateService.render(options);
const mailOptions = {
from: options.sender,
to: options.recipient,
subject: renderedTemplate.subject,
html: renderedTemplate.body,
};
await send(mailOptions);
Logger.tag("mail", "queue").info("Mail[%d] has been send.", options.id);
}
async function findPendingMailsBefore(
beforeMoment: Moment,
limit: number
): Promise<Mail[]> {
2022-07-18 17:49:42 +02:00
const rows = await db.all<EmaiQueueRow>(
"SELECT * FROM email_queue WHERE modified_at < ? AND failures < ? ORDER BY id ASC LIMIT ?",
[beforeMoment.unix(), 5, limit]
);
return rows.map((row) => {
2022-07-18 17:49:42 +02:00
const mailType = row.email;
if (!isMailType(mailType)) {
throw new Error(`Invalid mailtype in database: ${mailType}`);
}
2022-07-18 17:49:42 +02:00
const data = parseJSON(row.data);
if (!isJSONObject(data)) {
throw new Error(`Invalid email data in database: ${typeof data}`);
}
return {
id: row.id,
email: mailType,
sender: row.sender,
recipient: row.recipient,
data,
failures: row.failures,
created_at: row.created_at,
modified_at: row.modified_at,
2022-07-18 17:49:42 +02:00
};
});
}
async function removePendingMailFromQueue(id: MailId): Promise<void> {
await db.run("DELETE FROM email_queue WHERE id = ?", [id]);
}
async function incrementFailureCounterForPendingEmail(
id: MailId
): Promise<void> {
await db.run(
"UPDATE email_queue SET failures = failures + 1, modified_at = ? WHERE id = ?",
[moment().unix(), id]
);
}
async function sendPendingMail(pendingMail: Mail): Promise<void> {
try {
await sendMail(pendingMail);
2022-07-18 17:49:42 +02:00
} catch (error) {
// we only log the error and increment the failure counter as we want to continue with pending mails
Logger.tag("mail", "queue").error(
"Error sending pending mail[" + pendingMail.id + "]:",
error
);
await incrementFailureCounterForPendingEmail(pendingMail.id);
return;
}
await removePendingMailFromQueue(pendingMail.id);
}
async function doGetMail(id: MailId): Promise<Mail> {
const row = await db.get<Mail>("SELECT * FROM email_queue WHERE id = ?", [
id,
]);
2022-07-18 17:49:42 +02:00
if (row === undefined) {
throw { data: "Mail not found.", type: ErrorTypes.notFound };
2022-07-18 17:49:42 +02:00
}
return row;
}
export async function enqueue(
sender: string,
recipient: string,
email: MailType,
data: MailData
): Promise<void> {
if (!_.isPlainObject(data)) {
throw new Error("Unexpected data: " + data);
}
await db.run(
"INSERT INTO email_queue " +
"(failures, sender, recipient, email, data) " +
"VALUES (?, ?, ?, ?, ?)",
[0, sender, recipient, email, JSON.stringify(data)]
);
}
2022-07-18 17:49:42 +02:00
export async function getMail(id: MailId): Promise<Mail> {
return await doGetMail(id);
}
export async function getPendingMails(
restParams: RestParams
): Promise<{ mails: Mail[]; total: number }> {
2022-07-18 17:49:42 +02:00
const row = await db.get<{ total: number }>(
"SELECT count(*) AS total FROM email_queue",
[]
);
2022-07-18 17:49:42 +02:00
const total = row?.total || 0;
const filter = Resources.filterClause<MailSortField>(
restParams,
MailSortFieldEnum.ID,
isMailSortField,
["id", "failures", "sender", "recipient", "email"]
);
const mails = await db.all<Mail>(
"SELECT * FROM email_queue WHERE " + filter.query,
filter.params
);
return {
mails,
total,
};
}
2022-07-18 17:49:42 +02:00
export async function deleteMail(id: MailId): Promise<void> {
await removePendingMailFromQueue(id);
}
2022-07-18 17:49:42 +02:00
export async function resetFailures(id: MailId): Promise<Mail> {
const statement = await db.run(
"UPDATE email_queue SET failures = 0, modified_at = ? WHERE id = ?",
[moment().unix(), id]
);
if (!statement.changes) {
throw new Error("Error: could not reset failure count for mail: " + id);
}
return await doGetMail(id);
}
2022-07-18 17:49:42 +02:00
export async function sendPendingMails(): Promise<void> {
Logger.tag("mail", "queue").debug("Start sending pending mails...");
const startTime = moment();
2022-08-23 21:38:37 +02:00
let pendingMails = await findPendingMailsBefore(
startTime,
MAIL_QUEUE_DB_BATCH_SIZE
);
2022-08-23 21:38:37 +02:00
while (!_.isEmpty(pendingMails)) {
Logger.tag("mail", "queue").debug("Sending next batch...");
for (const pendingMail of pendingMails) {
await sendPendingMail(pendingMail);
}
2022-08-23 21:38:37 +02:00
pendingMails = await findPendingMailsBefore(
startTime,
MAIL_QUEUE_DB_BATCH_SIZE
);
}
2022-08-23 21:38:37 +02:00
Logger.tag("mail", "queue").debug("Done sending pending mails.");
}