Skip to content

Commit fd38e11

Browse files
committed
feat: add @trace()decorator in order to be able to pass a handler for execution tracing
1 parent f4ab720 commit fd38e11

File tree

3 files changed

+178
-0
lines changed

3 files changed

+178
-0
lines changed

src/trace/trace.ts

+30
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,36 @@ function calculateTimeAndDuration(executionTimer: ExecutionTimer): TimerDetailsM
1313
return timerDetails;
1414
}
1515

16+
17+
export function trace<O>(
18+
blockFunction: (...params) => Promise<O>,
19+
inputs: Array<unknown>,
20+
traceHandler?: (
21+
// eslint-disable-next-line @typescript-eslint/no-explicit-any
22+
traceContext: Record<string, any>,
23+
executionTrace?: ExecutionTrace<Array<unknown>, O>,
24+
options?: TraceOptions<Array<unknown>, O>['config']
25+
) => void,
26+
// eslint-disable-next-line @typescript-eslint/no-explicit-any
27+
traceContext?: Record<string, any>,
28+
errorStrategy?: 'catch' | 'throw'
29+
): Promise<ExecutionTrace<Array<unknown>, Awaited<O>>>;
30+
31+
export function trace<O>(
32+
blockFunction: (...params) => O,
33+
inputs: Array<unknown>,
34+
traceHandler?: (
35+
// eslint-disable-next-line @typescript-eslint/no-explicit-any
36+
traceContext: Record<string, any>,
37+
executionTrace?: ExecutionTrace<Array<unknown>, O>,
38+
options?: TraceOptions<Array<unknown>, O>['config']
39+
) => void,
40+
// eslint-disable-next-line @typescript-eslint/no-explicit-any
41+
traceContext?: Record<string, any>,
42+
errorStrategy?: 'catch' | 'throw'
43+
): ExecutionTrace<Array<unknown>, O>;
44+
45+
1646
export function trace<O>(
1747
blockFunction: (...params) => O | Promise<O>,
1848
inputs: Array<unknown> = [],

src/trace/traceDecorator.spec.ts

+117
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,117 @@
1+
import { trace } from './traceDecorator';
2+
3+
describe('trace decorator', () => {
4+
const executionTraceExpectation = {
5+
inputs: expect.any(Array),
6+
startTime: expect.any(Date),
7+
endTime: expect.any(Date),
8+
duration: expect.any(Number),
9+
elapsedTime: expect.any(String)
10+
};
11+
12+
const successfulExecutionTraceExpectation = {
13+
...executionTraceExpectation,
14+
outputs: expect.anything()
15+
};
16+
17+
const failedExecutionTraceExpectation = {
18+
...executionTraceExpectation,
19+
errors: expect.anything()
20+
};
21+
22+
describe('Synchronous functions', () => {
23+
class SyncClass {
24+
@trace()
25+
helloWorld(): string {
26+
return 'Hello World';
27+
}
28+
}
29+
30+
it('should trace a synchronous function', () => {
31+
const instance = new SyncClass();
32+
const response = instance.helloWorld();
33+
expect(response).toEqual('Hello World');
34+
});
35+
});
36+
37+
describe('Asynchronous functions', () => {
38+
class AsyncClass {
39+
@trace()
40+
async helloWorldAsync(): Promise<string> {
41+
return 'Hello World async';
42+
}
43+
}
44+
45+
it('should trace an async function', async () => {
46+
const instance = new AsyncClass();
47+
const response = await instance.helloWorldAsync();
48+
expect(response).toEqual('Hello World async');
49+
});
50+
});
51+
52+
describe('Tracing function traceHandlerMock and traceContext', () => {
53+
const traceContextDivision = { metadata: { requestId: '12345' } };
54+
const traceContextFetchData = { metadata: { requestId: '6789' } };
55+
const traceHandlerDivisionMock= jest.fn();
56+
const traceHandlerFetchDataMock= jest.fn();
57+
class MyClass {
58+
@trace(traceHandlerDivisionMock, traceContextDivision)
59+
divisionFunction(x: number, y: number, traceContext: Record<string, unknown> = {}): number {
60+
if (y === 0) {
61+
traceContext['narratives'] = [`Throwing because division of ${x} by ${y}`];
62+
throw new Error('Throwing because division by zero is not allowed.');
63+
}
64+
traceContext['narratives'] = [`Calculating the division of ${x} by ${y}`];
65+
return x / y;
66+
}
67+
68+
@trace(traceHandlerFetchDataMock, traceContextFetchData)
69+
async fetchDataFunction(url: string, traceContext: Record<string, unknown> = {}): Promise<{ data: string }> {
70+
traceContext['narratives'] = [`Fetching data from ${url}`];
71+
if (!url.startsWith('http')) {
72+
traceContext['narratives'] = [`Throwing because the URL ${url} is invalid`];
73+
throw new Error('Invalid URL provided.');
74+
}
75+
return { data: 'Success' };
76+
}
77+
}
78+
79+
it('should sync trace successfully and pass correct traceHandlerMock and traceContext', () => {
80+
81+
const classInstance = new MyClass();
82+
const response = classInstance.divisionFunction(1, 2);
83+
expect(traceHandlerDivisionMock).toHaveBeenCalledWith(
84+
{ ...traceContextDivision, narratives: ['Calculating the division of 1 by 2'] },
85+
expect.objectContaining(successfulExecutionTraceExpectation)
86+
);
87+
expect(response).toEqual(0.5);
88+
89+
90+
});
91+
92+
it('should sync trace errors and pass correct traceHandlerMock and traceContext', async () => {
93+
expect(() => new MyClass().divisionFunction(1, 0)).toThrow('Throwing because division by zero is not allowed.');
94+
expect(traceHandlerDivisionMock).toHaveBeenCalledWith(
95+
{ ...traceContextDivision, narratives: ['Throwing because division of 1 by 0'] },
96+
expect.objectContaining(failedExecutionTraceExpectation)
97+
);
98+
});
99+
100+
it('should async trace successfully and pass correct traceHandlerMock and traceContext', async () => {
101+
const response =await new MyClass().fetchDataFunction('https://api.example.com/data');
102+
expect(traceHandlerFetchDataMock).toHaveBeenCalledWith(
103+
{ ...traceContextFetchData, narratives: ['Fetching data from https://api.example.com/data'] },
104+
expect.objectContaining(successfulExecutionTraceExpectation)
105+
);
106+
expect(response).toMatchObject({ data: 'Success' });
107+
});
108+
109+
it('should async trace errors and pass correct traceHandlerMock and traceContext', async () => {
110+
await expect(new MyClass().fetchDataFunction('invalid-url')).rejects.toThrow('Invalid URL provided.');
111+
expect(traceHandlerFetchDataMock).toHaveBeenCalledWith(
112+
{ ...traceContextFetchData, narratives: ['Throwing because the URL invalid-url is invalid'] },
113+
expect.objectContaining(failedExecutionTraceExpectation)
114+
);
115+
});
116+
});
117+
});

src/trace/traceDecorator.ts

+31
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,31 @@
1+
import { TraceOptions } from './models/engineTraceOptions.model';
2+
import { ExecutionTrace } from './models/executionTrace.model';
3+
import { trace as traceExecution } from './trace';
4+
import { isAsync } from '../common/isAsync';
5+
6+
7+
export function trace<O>(
8+
traceHandler?: (
9+
traceContext: Record<string, any>,
10+
executionTrace: ExecutionTrace<Array<unknown>, O>,
11+
options?: TraceOptions<Array<unknown>, O>['config']
12+
) => void,
13+
traceContext: Record<string, any> = {},
14+
errorStrategy: 'catch' | 'throw' = 'throw'
15+
): MethodDecorator {
16+
return function (
17+
target: object,
18+
propertyKey: string | symbol,
19+
descriptor: PropertyDescriptor
20+
): void {
21+
const originalMethod = descriptor.value;
22+
23+
descriptor.value = function (...args: unknown[]) {
24+
if (isAsync(originalMethod)) {
25+
return traceExecution<O>(originalMethod.bind(this), args, traceHandler, traceContext, errorStrategy)?.then((r) => r.outputs);
26+
} else {
27+
return traceExecution<O>(originalMethod.bind(this) as () => O, args, traceHandler, traceContext, errorStrategy)?.outputs;
28+
}
29+
};
30+
};
31+
}

0 commit comments

Comments
 (0)