test(Gmail Trigger Node): Add tests (no-changelog) (#11076)

This commit is contained in:
Elias Meire 2024-10-03 13:59:15 +02:00 committed by GitHub
parent 3974981ea5
commit fc26c44f65
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
4 changed files with 362 additions and 9 deletions

View file

@ -0,0 +1,19 @@
import { mock } from 'jest-mock-extended';
import type { IExecuteFunctions, INodeExecutionData } from 'n8n-workflow';
import { ExecuteWorkflowTrigger } from '../ExecuteWorkflowTrigger.node';
describe('ExecuteWorkflowTrigger', () => {
it('should return its input data', async () => {
const mockInputData: INodeExecutionData[] = [
{ json: { item: 0, foo: 'bar' } },
{ json: { item: 1, foo: 'quz' } },
];
const executeFns = mock<IExecuteFunctions>({
getInputData: () => mockInputData,
});
const result = await new ExecuteWorkflowTrigger().execute.call(executeFns);
expect(result).toEqual([mockInputData]);
});
});

View file

@ -0,0 +1,221 @@
import nock from 'nock';
import * as mailparser from 'mailparser';
import { testPollingTriggerNode } from '@test/nodes/TriggerHelpers';
import { GmailTrigger } from '../GmailTrigger.node';
import type { Message, ListMessage, MessageListResponse } from '../types';
jest.mock('mailparser');
describe('GmailTrigger', () => {
const baseUrl = 'https://www.googleapis.com';
function createMessage(message: Partial<Message> = {}): Message {
const content = Buffer.from('test');
const contentBase64 = content.toString('base64');
const size = content.byteLength;
return {
historyId: 'testHistoryId',
id: 'testId',
internalDate: '1727777957863',
raw: contentBase64,
labelIds: ['testLabelId'],
sizeEstimate: size,
snippet: content.toString('utf-8'),
threadId: 'testThreadId',
payload: {
body: { attachmentId: 'testAttachmentId', data: contentBase64, size },
filename: 'foo.txt',
headers: [{ name: 'testHeader', value: 'testHeaderValue' }],
mimeType: 'text/plain',
partId: 'testPartId',
parts: [],
},
...message,
};
}
function createListMessage(message: Partial<ListMessage> = {}): ListMessage {
return { id: 'testId', threadId: 'testThreadId', ...message };
}
beforeAll(() => {
nock.disableNetConnect();
jest.spyOn(mailparser, 'simpleParser').mockResolvedValue({
headers: new Map([['headerKey', 'headerValue']]),
attachments: [],
headerLines: [{ key: 'headerKey', line: 'headerValue' }],
html: '<p>test</p>',
date: new Date('2024-08-31'),
from: {
text: 'from@example.com',
value: [{ name: 'From', address: 'from@example.com' }],
html: 'from@example.com',
},
to: {
text: 'to@example.com',
value: [{ name: 'To', address: 'to@example.com' }],
html: 'to@example.com',
},
});
});
afterAll(() => {
nock.restore();
});
it('should return incoming emails', async () => {
const messageListResponse: MessageListResponse = {
messages: [createListMessage({ id: '1' }), createListMessage({ id: '2' })],
resultSizeEstimate: 123,
};
nock(baseUrl)
.get('/gmail/v1/users/me/labels')
.reply(200, { labels: [{ id: 'testLabelId', name: 'Test Label Name' }] });
nock(baseUrl).get(new RegExp('/gmail/v1/users/me/messages?.*')).reply(200, messageListResponse);
nock(baseUrl)
.get(new RegExp('/gmail/v1/users/me/messages/1?.*'))
.reply(200, createMessage({ id: '1' }));
nock(baseUrl)
.get(new RegExp('/gmail/v1/users/me/messages/2?.*'))
.reply(200, createMessage({ id: '2' }));
const { response } = await testPollingTriggerNode(GmailTrigger);
expect(response).toEqual([
[
{
json: {
date: '2024-08-31T00:00:00.000Z',
from: {
html: 'from@example.com',
text: 'from@example.com',
value: [{ address: 'from@example.com', name: 'From' }],
},
headers: { headerKey: 'headerValue' },
html: '<p>test</p>',
id: '1',
labelIds: ['testLabelId'],
sizeEstimate: 4,
threadId: 'testThreadId',
to: {
html: 'to@example.com',
text: 'to@example.com',
value: [{ address: 'to@example.com', name: 'To' }],
},
},
},
{
json: {
date: '2024-08-31T00:00:00.000Z',
from: {
html: 'from@example.com',
text: 'from@example.com',
value: [{ address: 'from@example.com', name: 'From' }],
},
headers: { headerKey: 'headerValue' },
html: '<p>test</p>',
id: '2',
labelIds: ['testLabelId'],
sizeEstimate: 4,
threadId: 'testThreadId',
to: {
html: 'to@example.com',
text: 'to@example.com',
value: [{ address: 'to@example.com', name: 'To' }],
},
},
},
],
]);
});
it('should simplify output when enabled', async () => {
const messageListResponse: MessageListResponse = {
messages: [createListMessage({ id: '1' }), createListMessage({ id: '2' })],
resultSizeEstimate: 123,
};
nock(baseUrl)
.get('/gmail/v1/users/me/labels')
.reply(200, { labels: [{ id: 'testLabelId', name: 'Test Label Name' }] });
nock(baseUrl).get(new RegExp('/gmail/v1/users/me/messages?.*')).reply(200, messageListResponse);
nock(baseUrl)
.get(new RegExp('/gmail/v1/users/me/messages/1?.*'))
.reply(200, createMessage({ id: '1' }));
nock(baseUrl)
.get(new RegExp('/gmail/v1/users/me/messages/2?.*'))
.reply(200, createMessage({ id: '2' }));
const { response } = await testPollingTriggerNode(GmailTrigger, {
node: { parameters: { simple: true } },
});
expect(response).toEqual([
[
{
json: {
historyId: 'testHistoryId',
id: '1',
internalDate: '1727777957863',
labels: [{ id: 'testLabelId', name: 'Test Label Name' }],
payload: {
body: { attachmentId: 'testAttachmentId', data: 'dGVzdA==', size: 4 },
filename: 'foo.txt',
mimeType: 'text/plain',
partId: 'testPartId',
parts: [],
},
raw: 'dGVzdA==',
sizeEstimate: 4,
snippet: 'test',
testHeader: 'testHeaderValue',
threadId: 'testThreadId',
},
},
{
json: {
historyId: 'testHistoryId',
id: '2',
internalDate: '1727777957863',
labels: [{ id: 'testLabelId', name: 'Test Label Name' }],
payload: {
body: { attachmentId: 'testAttachmentId', data: 'dGVzdA==', size: 4 },
filename: 'foo.txt',
mimeType: 'text/plain',
partId: 'testPartId',
parts: [],
},
raw: 'dGVzdA==',
sizeEstimate: 4,
snippet: 'test',
testHeader: 'testHeaderValue',
threadId: 'testThreadId',
},
},
],
]);
});
it('should filter out emails that were already processed', async () => {
const messageListResponse: MessageListResponse = {
messages: [],
resultSizeEstimate: 0,
};
nock(baseUrl)
.get('/gmail/v1/users/me/labels')
.reply(200, { labels: [{ id: 'testLabelId', name: 'Test Label Name' }] });
nock(baseUrl).get(new RegExp('/gmail/v1/users/me/messages?.*')).reply(200, messageListResponse);
const { response } = await testPollingTriggerNode(GmailTrigger, {
node: { parameters: { simple: true } },
workflowStaticData: {
'Gmail Trigger': { lastTimeChecked: new Date('2024-10-31').getTime() / 1000 },
},
});
expect(response).toEqual(null);
});
});

View file

@ -0,0 +1,39 @@
export type Message = {
id: string;
threadId: string;
labelIds: string[];
snippet: string;
historyId: string;
internalDate: string;
sizeEstimate: number;
raw: string;
payload: MessagePart;
};
export type ListMessage = Pick<Message, 'id' | 'threadId'>;
export type MessageListResponse = {
messages: ListMessage[];
nextPageToken?: string;
resultSizeEstimate: number;
};
type GmailHeader = {
name: string;
value: string;
};
type MessagePart = {
partId: string;
mimeType: string;
filename: string;
headers: GmailHeader[];
body: MessagePartBody;
parts: MessagePart[];
};
type MessagePartBody = {
attachmentId: string;
size: number;
data: string;
};

View file

@ -2,18 +2,25 @@ import type * as express from 'express';
import { mock } from 'jest-mock-extended';
import get from 'lodash/get';
import merge from 'lodash/merge';
import { returnJsonArray, type InstanceSettings } from 'n8n-core';
import set from 'lodash/set';
import { getExecutePollFunctions, returnJsonArray, type InstanceSettings } from 'n8n-core';
import { ScheduledTaskManager } from 'n8n-core/dist/ScheduledTaskManager';
import type {
IBinaryData,
ICredentialDataDecryptedObject,
IDataObject,
IHttpRequestOptions,
INode,
INodeType,
INodeTypes,
IPollFunctions,
ITriggerFunctions,
IWebhookFunctions,
IWorkflowExecuteAdditionalData,
NodeTypeAndVersion,
VersionedNodeType,
Workflow,
WorkflowHooks,
} from 'n8n-workflow';
type MockDeepPartial<T> = Parameters<typeof mock<T>>[0];
@ -23,23 +30,29 @@ type TestTriggerNodeOptions = {
node?: MockDeepPartial<INode>;
timezone?: string;
workflowStaticData?: IDataObject;
credential?: ICredentialDataDecryptedObject;
};
type TestWebhookTriggerNodeOptions = TestTriggerNodeOptions & {
mode?: 'manual' | 'trigger';
webhookName?: string;
request?: MockDeepPartial<express.Request>;
bodyData?: IDataObject;
childNodes?: NodeTypeAndVersion[];
};
type TestPollingTriggerNodeOptions = TestTriggerNodeOptions & {};
function getNodeVersion(Trigger: new () => VersionedNodeType, version?: number) {
const instance = new Trigger();
return instance.nodeVersions[version ?? instance.currentVersion];
}
export async function testVersionedTriggerNode(
Trigger: new () => VersionedNodeType,
version?: number,
options: TestTriggerNodeOptions = {},
) {
const instance = new Trigger();
return await testTriggerNode(instance.nodeVersions[version ?? instance.currentVersion], options);
return await testTriggerNode(getNodeVersion(Trigger, version), options);
}
export async function testTriggerNode(
@ -98,11 +111,7 @@ export async function testVersionedWebhookTriggerNode(
version?: number,
options: TestWebhookTriggerNodeOptions = {},
) {
const instance = new Trigger();
return await testWebhookTriggerNode(
instance.nodeVersions[version ?? instance.currentVersion],
options,
);
return await testWebhookTriggerNode(getNodeVersion(Trigger, version), options);
}
export async function testWebhookTriggerNode(
@ -165,3 +174,68 @@ export async function testWebhookTriggerNode(
response: webhookFunctions.getResponseObject(),
};
}
export async function testPollingTriggerNode(
Trigger: (new () => INodeType) | INodeType,
options: TestPollingTriggerNodeOptions = {},
) {
const trigger = 'description' in Trigger ? Trigger : new Trigger();
const timezone = options.timezone ?? 'Europe/Berlin';
const version = trigger.description.version;
const node = merge(
{
type: trigger.description.name,
name: trigger.description.defaults.name ?? `Test Node (${trigger.description.name})`,
typeVersion: typeof version === 'number' ? version : version.at(-1),
credentials: {},
} satisfies Partial<INode>,
options.node,
) as INode;
const workflow = mock<Workflow>({
timezone: options.timezone ?? 'Europe/Berlin',
nodeTypes: mock<INodeTypes>({
getByNameAndVersion: () => mock<INodeType>({ description: trigger.description }),
}),
});
const mode = options.mode ?? 'trigger';
const originalPollingFunctions = getExecutePollFunctions(
workflow,
node,
mock<IWorkflowExecuteAdditionalData>({
currentNodeParameters: node.parameters,
credentialsHelper: mock<IWorkflowExecuteAdditionalData['credentialsHelper']>({
getParentTypes: () => [],
authenticate: async (_creds, _type, options) => {
set(options, 'headers.authorization', 'mockAuth');
return options as IHttpRequestOptions;
},
}),
hooks: mock<WorkflowHooks>(),
}),
mode,
'init',
);
async function getCredentials<T extends object = ICredentialDataDecryptedObject>(): Promise<T> {
return (options.credential ?? {}) as T;
}
const pollingFunctions = mock<IPollFunctions>({
...originalPollingFunctions,
getCredentials,
getTimezone: () => timezone,
getNode: () => node,
getMode: () => mode,
getInstanceId: () => 'instanceId',
getWorkflowStaticData: () => options.workflowStaticData ?? {},
getNodeParameter: (parameterName, fallback) => get(node.parameters, parameterName) ?? fallback,
});
const response = await trigger.poll?.call(pollingFunctions);
return {
response,
};
}