Uberf-9663: Improve mail logging (#8275)
Some checks are pending
CI / build (push) Waiting to run
CI / svelte-check (push) Blocked by required conditions
CI / formatting (push) Blocked by required conditions
CI / test (push) Blocked by required conditions
CI / uitest (push) Waiting to run
CI / uitest-pg (push) Waiting to run
CI / uitest-qms (push) Waiting to run
CI / uitest-workspaces (push) Waiting to run
CI / docker-build (push) Blocked by required conditions
CI / dist-build (push) Blocked by required conditions

* UBERF-9663: Improve mail logging

Signed-off-by: Artem Savchenko <armisav@gmail.com>

* UBERF-9663: Fix log message

Signed-off-by: Artem Savchenko <armisav@gmail.com>

* UBERF-9663: Use context for logging

Signed-off-by: Artem Savchenko <armisav@gmail.com>

* UBERF-9663: Add context

Signed-off-by: Artem Savchenko <armisav@gmail.com>

* UBERF-9663: Fix test

Signed-off-by: Artem Savchenko <armisav@gmail.com>

* UBERF-9663: Use measure context for logging

Signed-off-by: Artem Savchenko <armisav@gmail.com>

* UBERF-9663: Configure logger

Signed-off-by: Artem Savchenko <armisav@gmail.com>

* UBERF-9663: Additional logger info

Signed-off-by: Artem Savchenko <armisav@gmail.com>

---------

Signed-off-by: Artem Savchenko <armisav@gmail.com>
This commit is contained in:
Artyom Savchenko 2025-03-19 19:45:03 +07:00 committed by GitHub
parent ed60739dfd
commit e1d479ab64
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
8 changed files with 95 additions and 36 deletions

View File

@ -118,7 +118,7 @@ export async function sendEmailNotification (
return
}
const mailAuth: string | undefined = getMetadata(serverNotification.metadata.MailAuthToken)
await fetch(concatLink(mailURL, '/send'), {
const response = await fetch(concatLink(mailURL, '/send'), {
method: 'post',
keepalive: true,
headers: {
@ -132,6 +132,9 @@ export async function sendEmailNotification (
to: [receiver]
})
})
if (!response.ok) {
ctx.error(`Failed to send email notification: ${response.statusText}`)
}
} catch (err) {
ctx.error('Could not send email notification', { err, receiver })
}

View File

@ -753,7 +753,9 @@ describe('account utils', () => {
describe('sendOtpEmail', () => {
beforeEach(() => {
global.fetch = jest.fn()
const mockFetch = jest.fn()
mockFetch.mockResolvedValue({ ok: true })
global.fetch = mockFetch
})
test('should send email with OTP', async () => {
@ -1010,6 +1012,10 @@ describe('account utils', () => {
})
test('should send email with correct parameters', async () => {
const mockCtx = {
error: jest.fn(),
info: jest.fn()
} as unknown as MeasureContext
const emailInfo = {
text: 'Test email',
html: '<p>Test email</p>',
@ -1017,7 +1023,7 @@ describe('account utils', () => {
to: 'test@example.com'
}
await sendEmail(emailInfo)
await sendEmail(emailInfo, mockCtx)
expect(mockFetch).toHaveBeenCalledWith('https://ses.example.com/send', {
method: 'post',

View File

@ -466,7 +466,7 @@ export async function sendInvite (
const inviteId = await createInviteLink(ctx, db, branding, token, { exp, emailMask: email, limit: 1, role })
const inviteEmail = await getInviteEmail(branding, email, inviteId, workspace, expHours)
await sendEmail(inviteEmail)
await sendEmail(inviteEmail, ctx)
ctx.info('Invite has been sent', { to: inviteEmail.to, workspaceUuid: workspace.uuid, workspaceName: workspace.name })
}
@ -533,7 +533,7 @@ export async function resendInvite (
}
const inviteEmail = await getInviteEmail(branding, email, inviteId, workspace, expHours, true)
await sendEmail(inviteEmail)
await sendEmail(inviteEmail, ctx)
ctx.info('Invite has been resent', {
to: inviteEmail.to,
@ -773,7 +773,7 @@ export async function requestPasswordReset (
const html = await translate(accountPlugin.string.RecoveryHTML, { link }, lang)
const subject = await translate(accountPlugin.string.RecoverySubject, {}, lang)
await fetch(concatLink(mailURL, '/send'), {
const response = await fetch(concatLink(mailURL, '/send'), {
method: 'post',
headers: {
'Content-Type': 'application/json',
@ -786,8 +786,15 @@ export async function requestPasswordReset (
to: normalizedEmail
})
})
ctx.info('Password reset email sent', { email, normalizedEmail, account: account.uuid })
if (response.ok) {
ctx.info('Password reset email sent', { email, normalizedEmail, account: account.uuid })
} else {
ctx.error(`Failed to send reset password email: ${response.statusText}`, {
email,
normalizedEmail,
account: account.uuid
})
}
}
export async function restorePassword (

View File

@ -405,7 +405,7 @@ export async function sendOtpEmail (
const subject = await translate(accountPlugin.string.OtpSubject, { code: otp, app }, lang)
const to = email
await fetch(concatLink(mailURL, '/send'), {
const response = await fetch(concatLink(mailURL, '/send'), {
method: 'POST',
headers: {
'Content-Type': 'application/json',
@ -418,6 +418,9 @@ export async function sendOtpEmail (
to
})
})
if (!response.ok) {
ctx.error(`Failed to send otp email: ${response.statusText}`, { to })
}
}
export async function isOtpValid (db: AccountDB, socialId: string, code: string): Promise<boolean> {
@ -782,7 +785,7 @@ export async function sendEmailConfirmation (
const html = await translate(accountPlugin.string.ConfirmationHTML, { name, link }, lang)
const subject = await translate(accountPlugin.string.ConfirmationSubject, { name }, lang)
await fetch(concatLink(mailURL, '/send'), {
const response = await fetch(concatLink(mailURL, '/send'), {
method: 'post',
headers: {
'Content-Type': 'application/json',
@ -795,6 +798,9 @@ export async function sendEmailConfirmation (
to: email
})
})
if (!response.ok) {
ctx.error(`Failed to send email confirmation: ${response.statusText}`, { email })
}
}
export async function confirmEmail (ctx: MeasureContext, db: AccountDB, account: string, email: string): Promise<void> {
@ -1165,10 +1171,10 @@ interface EmailInfo {
to: string
}
export async function sendEmail (info: EmailInfo): Promise<void> {
export async function sendEmail (info: EmailInfo, ctx: MeasureContext): Promise<void> {
const { text, html, subject, to } = info
const { mailURL, mailAuth } = getMailUrl()
await fetch(concatLink(mailURL, '/send'), {
const response = await fetch(concatLink(mailURL, '/send'), {
method: 'post',
headers: {
'Content-Type': 'application/json',
@ -1181,6 +1187,9 @@ export async function sendEmail (info: EmailInfo): Promise<void> {
to
})
})
if (!response.ok) {
ctx.error(`Failed to send mail: ${response.statusText}`, { to })
}
}
export function sanitizeEmail (email: string): string {

View File

@ -55,6 +55,9 @@
"dependencies": {
"@aws-sdk/client-ses": "^3.738.0",
"@types/nodemailer": "^6.4.17",
"@hcengineering/analytics-service": "^0.6.0",
"@hcengineering/core": "^0.6.32",
"@hcengineering/server-core": "^0.6.1",
"cors": "^2.8.5",
"dotenv": "~16.0.0",
"express": "^4.21.2",

View File

@ -14,6 +14,7 @@
//
import { Request, Response } from 'express'
import { type MeasureContext } from '@hcengineering/core'
import { MailClient } from '../mail'
import { handleSendMail } from '../main'
@ -31,6 +32,7 @@ describe('handleSendMail', () => {
let res: Response
let sendMailMock: jest.Mock
let mailClient: MailClient
let mockCtx: MeasureContext
beforeEach(() => {
// eslint-disable-next-line @typescript-eslint/consistent-type-assertions
@ -49,12 +51,16 @@ describe('handleSendMail', () => {
mailClient = new MailClient()
sendMailMock = (mailClient.sendMessage as jest.Mock).mockResolvedValue({})
mockCtx = {
info: jest.fn(),
error: jest.fn()
} as unknown as MeasureContext
})
it('should return 400 if text is missing', async () => {
req.body.text = undefined
await handleSendMail(new MailClient(), req, res)
await handleSendMail(new MailClient(), req, res, mockCtx)
// eslint-disable-next-line @typescript-eslint/unbound-method
expect(res.status).toHaveBeenCalledWith(400)
@ -64,7 +70,7 @@ describe('handleSendMail', () => {
it('should return 400 if subject is missing', async () => {
req.body.subject = undefined
await handleSendMail(new MailClient(), req, res)
await handleSendMail(new MailClient(), req, res, mockCtx)
// eslint-disable-next-line @typescript-eslint/unbound-method
expect(res.status).toHaveBeenCalledWith(400)
@ -74,7 +80,7 @@ describe('handleSendMail', () => {
it('should return 400 if to is missing', async () => {
req.body.to = undefined
await handleSendMail(new MailClient(), req, res)
await handleSendMail(new MailClient(), req, res, mockCtx)
// eslint-disable-next-line @typescript-eslint/unbound-method
expect(res.status).toHaveBeenCalledWith(400)
@ -84,13 +90,13 @@ describe('handleSendMail', () => {
it('handles errors thrown by MailClient', async () => {
sendMailMock.mockRejectedValue(new Error('Email service error'))
await handleSendMail(new MailClient(), req, res)
await handleSendMail(new MailClient(), req, res, mockCtx)
expect(res.send).toHaveBeenCalled() // Check that a response is still sent
})
it('should use source from config if from is not provided', async () => {
await handleSendMail(mailClient, req, res)
await handleSendMail(mailClient, req, res, mockCtx)
expect(sendMailMock).toHaveBeenCalledWith(
expect.objectContaining({
@ -98,13 +104,14 @@ describe('handleSendMail', () => {
to: 'test@example.com',
subject: 'Test Subject',
text: 'Hello, world!'
})
}),
mockCtx
)
})
it('should use from if it is provided', async () => {
req.body.from = 'test.from@example.com'
await handleSendMail(mailClient, req, res)
await handleSendMail(mailClient, req, res, mockCtx)
expect(sendMailMock).toHaveBeenCalledWith(
expect.objectContaining({
@ -112,13 +119,14 @@ describe('handleSendMail', () => {
to: 'test@example.com',
subject: 'Test Subject',
text: 'Hello, world!'
})
}),
mockCtx
)
})
it('should send to multiple addresses', async () => {
req.body.to = ['test1@example.com', 'test2@example.com']
await handleSendMail(mailClient, req, res)
await handleSendMail(mailClient, req, res, mockCtx)
expect(sendMailMock).toHaveBeenCalledWith(
expect.objectContaining({
@ -126,7 +134,8 @@ describe('handleSendMail', () => {
to: ['test1@example.com', 'test2@example.com'], // Verify that multiple addresses are passed
subject: 'Test Subject',
text: 'Hello, world!'
})
}),
mockCtx
)
})
})

View File

@ -13,6 +13,7 @@
// limitations under the License.
//
import { type SendMailOptions, type Transporter } from 'nodemailer'
import { MeasureContext } from '@hcengineering/core'
import config from './config'
import { getTransport } from './transport'
@ -24,14 +25,13 @@ export class MailClient {
this.transporter = getTransport(config)
}
async sendMessage (message: SendMailOptions): Promise<void> {
async sendMessage (message: SendMailOptions, ctx: MeasureContext): Promise<void> {
this.transporter.sendMail(message, (err, info) => {
const messageInfo = `(from: ${message.from as string}, to: ${message.to as string})`
if (err !== null) {
console.error(`Failed to send email ${messageInfo}: `, err.message)
console.log('Failed message details: ', message)
ctx.error(`Failed to send email ${messageInfo}: ${err.message}`)
} else {
console.log(`Email request ${messageInfo} sent: ${info?.response}`)
ctx.info(`Email request ${messageInfo} sent: ${info?.response}`)
}
})
}

View File

@ -16,6 +16,10 @@
import { type SendMailOptions } from 'nodemailer'
import { Request, Response } from 'express'
import Mail from 'nodemailer/lib/mailer'
import { initStatisticsContext } from '@hcengineering/server-core'
import { MeasureContext, MeasureMetricsContext, newMetrics } from '@hcengineering/core'
import { SplitLogger } from '@hcengineering/analytics-service'
import { join } from 'path'
import config from './config'
import { createServer, listen } from './server'
@ -23,15 +27,28 @@ import { MailClient } from './mail'
import { Endpoint } from './types'
export const main = async (): Promise<void> => {
const measureCtx = initStatisticsContext('mail', {
factory: () =>
new MeasureMetricsContext(
'mail',
{},
{},
newMetrics(),
new SplitLogger('mail', {
root: join(process.cwd(), 'logs'),
enableConsole: (process.env.ENABLE_CONSOLE ?? 'true') === 'true'
})
)
})
const client = new MailClient()
console.log('Mail service has been started')
measureCtx.info('Mail service has been started')
const endpoints: Endpoint[] = [
{
endpoint: '/send',
type: 'post',
handler: async (req, res) => {
await handleSendMail(client, req, res)
await handleSendMail(client, req, res, measureCtx)
}
}
]
@ -46,15 +63,20 @@ export const main = async (): Promise<void> => {
process.on('SIGINT', shutdown)
process.on('SIGTERM', shutdown)
process.on('uncaughtException', (e) => {
console.error(e)
process.on('uncaughtException', (e: any) => {
measureCtx.error(e.message)
})
process.on('unhandledRejection', (e) => {
console.error(e)
process.on('unhandledRejection', (e: any) => {
measureCtx.error(e.message)
})
}
export async function handleSendMail (client: MailClient, req: Request, res: Response): Promise<void> {
export async function handleSendMail (
client: MailClient,
req: Request,
res: Response,
ctx: MeasureContext
): Promise<void> {
const { from, to, subject, text, html, attachments, headers, apiKey } = req.body
if (process.env.API_KEY !== undefined && process.env.API_KEY !== apiKey) {
res.status(401).send({ err: 'Unauthorized' })
@ -93,9 +115,9 @@ export async function handleSendMail (client: MailClient, req: Request, res: Res
message.attachments = getAttachments(attachments)
}
try {
await client.sendMessage(message)
} catch (err) {
console.log(err)
await client.sendMessage(message, ctx)
} catch (err: any) {
ctx.error(err.message)
}
res.send()