Skip to content

Commit d2e5cd7

Browse files
committed
feat(otlp-exporter-base): implement partial success handling
1 parent 7e98761 commit d2e5cd7

8 files changed

+360
-15
lines changed

experimental/CHANGELOG.md

+2
Original file line numberDiff line numberDiff line change
@@ -9,6 +9,8 @@ All notable changes to experimental packages in this project will be documented
99

1010
### :rocket: (Enhancement)
1111

12+
feat(otlp-exporter-base): handle OTLP partial success [#5183](https://github.com/open-telemetry/opentelemetry-js/pull/5183) @pichlermarc
13+
1214
### :bug: (Bug Fix)
1315

1416
### :books: (Refine Doc)
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,48 @@
1+
/*
2+
* Copyright The OpenTelemetry Authors
3+
*
4+
* Licensed under the Apache License, Version 2.0 (the "License");
5+
* you may not use this file except in compliance with the License.
6+
* You may obtain a copy of the License at
7+
*
8+
* https://www.apache.org/licenses/LICENSE-2.0
9+
*
10+
* Unless required by applicable law or agreed to in writing, software
11+
* distributed under the License is distributed on an "AS IS" BASIS,
12+
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13+
* See the License for the specific language governing permissions and
14+
* limitations under the License.
15+
*/
16+
import { diag } from '@opentelemetry/api';
17+
import { IOtlpResponseHandler } from './response-handler';
18+
19+
function isPartialSuccessResponse(
20+
response: unknown
21+
): response is { partialSuccess: never } {
22+
return Object.prototype.hasOwnProperty.call(response, 'partialSuccess');
23+
}
24+
25+
/**
26+
* Default response handler that logs a partial success to the console.
27+
*/
28+
export function createLoggingPartialSuccessResponseHandler<
29+
T,
30+
>(): IOtlpResponseHandler<T> {
31+
return {
32+
handleResponse(response: T) {
33+
// Partial success MUST never be an empty object according the specification
34+
// see https://opentelemetry.io/docs/specs/otlp/#partial-success
35+
if (
36+
response == null ||
37+
!isPartialSuccessResponse(response) ||
38+
response.partialSuccess == null
39+
) {
40+
return;
41+
}
42+
diag.warn(
43+
'Received Partial Success response:',
44+
JSON.stringify(response.partialSuccess)
45+
);
46+
},
47+
};
48+
}

experimental/packages/otlp-exporter-base/src/otlp-export-delegate.ts

+17
Original file line numberDiff line numberDiff line change
@@ -19,6 +19,8 @@ import { IExporterTransport } from './exporter-transport';
1919
import { IExportPromiseHandler } from './bounded-queue-export-promise-handler';
2020
import { ISerializer } from '@opentelemetry/otlp-transformer';
2121
import { OTLPExporterError } from './types';
22+
import { IOtlpResponseHandler } from './response-handler';
23+
import { createLoggingPartialSuccessResponseHandler } from './logging-response-handler';
2224
import { diag, DiagLogger } from '@opentelemetry/api';
2325

2426
/**
@@ -40,6 +42,7 @@ class OTLPExportDelegate<Internal, Response>
4042
constructor(
4143
private _transport: IExporterTransport,
4244
private _serializer: ISerializer<Internal, Response>,
45+
private _responseHandler: IOtlpResponseHandler<Response>,
4346
private _promiseQueue: IExportPromiseHandler,
4447
private _timeout: number
4548
) {
@@ -79,6 +82,19 @@ class OTLPExportDelegate<Internal, Response>
7982
this._transport.send(serializedRequest, this._timeout).then(
8083
response => {
8184
if (response.status === 'success') {
85+
if (response.data != null) {
86+
try {
87+
this._responseHandler.handleResponse(
88+
this._serializer.deserializeResponse(response.data)
89+
);
90+
} catch (e) {
91+
this._diagLogger.warn(
92+
'Export succeeded but could not deserialize response - is the response specification compliant?',
93+
e,
94+
response.data
95+
);
96+
}
97+
}
8298
// No matter the response, we can consider the export still successful.
8399
resultCallback({
84100
code: ExportResultCode.SUCCESS,
@@ -139,6 +155,7 @@ export function createOtlpExportDelegate<Internal, Response>(
139155
return new OTLPExportDelegate(
140156
components.transport,
141157
components.serializer,
158+
createLoggingPartialSuccessResponseHandler(),
142159
components.promiseHandler,
143160
settings.timeout
144161
);
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,27 @@
1+
/*
2+
* Copyright The OpenTelemetry Authors
3+
*
4+
* Licensed under the Apache License, Version 2.0 (the "License");
5+
* you may not use this file except in compliance with the License.
6+
* You may obtain a copy of the License at
7+
*
8+
* https://www.apache.org/licenses/LICENSE-2.0
9+
*
10+
* Unless required by applicable law or agreed to in writing, software
11+
* distributed under the License is distributed on an "AS IS" BASIS,
12+
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13+
* See the License for the specific language governing permissions and
14+
* limitations under the License.
15+
*/
16+
17+
/**
18+
* Generic export response handler. Can be implemented to handle export responses like partial success.
19+
*/
20+
export interface IOtlpResponseHandler<Response> {
21+
/**
22+
* Handles an OTLP export response.
23+
* Implementations MUST NOT throw.
24+
* @param response
25+
*/
26+
handleResponse(response: Response): void;
27+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,90 @@
1+
/*
2+
* Copyright The OpenTelemetry Authors
3+
*
4+
* Licensed under the Apache License, Version 2.0 (the "License");
5+
* you may not use this file except in compliance with the License.
6+
* You may obtain a copy of the License at
7+
*
8+
* https://www.apache.org/licenses/LICENSE-2.0
9+
*
10+
* Unless required by applicable law or agreed to in writing, software
11+
* distributed under the License is distributed on an "AS IS" BASIS,
12+
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13+
* See the License for the specific language governing permissions and
14+
* limitations under the License.
15+
*/
16+
import { createLoggingPartialSuccessResponseHandler } from '../../src/logging-response-handler';
17+
import * as sinon from 'sinon';
18+
import { IExportTraceServiceResponse } from '@opentelemetry/otlp-transformer';
19+
import { registerMockDiagLogger } from './test-utils';
20+
21+
describe('loggingResponseHandler', function () {
22+
afterEach(function () {
23+
sinon.restore();
24+
});
25+
26+
it('should diag warn if a partial success is passed', function () {
27+
// arrange
28+
const { warn } = registerMockDiagLogger();
29+
const handler =
30+
createLoggingPartialSuccessResponseHandler<IExportTraceServiceResponse>();
31+
const partialSuccessResponse: IExportTraceServiceResponse = {
32+
partialSuccess: {
33+
errorMessage: 'error',
34+
rejectedSpans: 10,
35+
},
36+
};
37+
38+
// act
39+
handler.handleResponse(partialSuccessResponse);
40+
41+
//assert
42+
sinon.assert.calledOnceWithExactly(
43+
warn,
44+
'Received Partial Success response:',
45+
JSON.stringify(partialSuccessResponse.partialSuccess)
46+
);
47+
});
48+
49+
it('should not warn when a response is undefined', function () {
50+
// arrange
51+
const { warn } = registerMockDiagLogger();
52+
const handler = createLoggingPartialSuccessResponseHandler();
53+
54+
// act
55+
handler.handleResponse(undefined);
56+
57+
//assert
58+
sinon.assert.notCalled(warn);
59+
});
60+
61+
it('should not warn when a response is defined but partialSuccess is undefined', function () {
62+
// arrange
63+
const { warn } = registerMockDiagLogger();
64+
const handler = createLoggingPartialSuccessResponseHandler();
65+
66+
// act
67+
handler.handleResponse({ partialSuccess: undefined });
68+
69+
//assert
70+
sinon.assert.notCalled(warn);
71+
});
72+
73+
it('should warn when a response is defined but partialSuccess is empty object', function () {
74+
// note: it is not permitted for the server to return such a response, but it may happen anyway
75+
// arrange
76+
const { warn } = registerMockDiagLogger();
77+
const handler = createLoggingPartialSuccessResponseHandler();
78+
const response = { partialSuccess: {} };
79+
80+
// act
81+
handler.handleResponse(response);
82+
83+
//assert
84+
sinon.assert.calledOnceWithExactly(
85+
warn,
86+
'Received Partial Success response:',
87+
JSON.stringify(response.partialSuccess)
88+
);
89+
});
90+
});

experimental/packages/otlp-exporter-base/test/common/otlp-export-delegate.test.ts

+141-4
Original file line numberDiff line numberDiff line change
@@ -22,13 +22,14 @@ import { createOtlpExportDelegate } from '../../src';
2222
import { ExportResponse } from '../../src';
2323
import { ISerializer } from '@opentelemetry/otlp-transformer';
2424
import { IExportPromiseHandler } from '../../src/bounded-queue-export-promise-handler';
25+
import { registerMockDiagLogger } from './test-utils';
2526

2627
interface FakeInternalRepresentation {
2728
foo: string;
2829
}
2930

3031
interface FakeSignalResponse {
31-
baz: string;
32+
partialSuccess?: { foo: string };
3233
}
3334

3435
type FakeSerializer = ISerializer<
@@ -491,9 +492,7 @@ describe('OTLPExportDelegate', function () {
491492
};
492493
const mockTransport = <IExporterTransport>transportStubs;
493494

494-
const response: FakeSignalResponse = {
495-
baz: 'partial success',
496-
};
495+
const response: FakeSignalResponse = {};
497496

498497
const serializerStubs = {
499498
// simulate that the serializer returns something to send
@@ -541,6 +540,144 @@ describe('OTLPExportDelegate', function () {
541540
});
542541
});
543542

543+
it('returns success even if response cannot be deserialized', function (done) {
544+
const { warn } = registerMockDiagLogger();
545+
// returns mock success response (empty body)
546+
const exportResponse: ExportResponse = {
547+
data: Uint8Array.from([]),
548+
status: 'success',
549+
};
550+
551+
// transport does not need to do anything in this case.
552+
const transportStubs = {
553+
send: sinon.stub().returns(Promise.resolve(exportResponse)),
554+
shutdown: sinon.stub(),
555+
};
556+
const mockTransport = <IExporterTransport>transportStubs;
557+
558+
const serializerStubs = {
559+
// simulate that the serializer returns something to send
560+
serializeRequest: sinon.stub().returns(Uint8Array.from([1])),
561+
// simulate that it returns a partial success (response with contents)
562+
deserializeResponse: sinon.stub().throws(new Error()),
563+
};
564+
const mockSerializer = <FakeSerializer>serializerStubs;
565+
566+
// mock a queue that has not yet reached capacity
567+
const promiseHandlerStubs = {
568+
pushPromise: sinon.stub(),
569+
hasReachedLimit: sinon.stub().returns(false),
570+
awaitAll: sinon.stub(),
571+
};
572+
const promiseHandler = <IExportPromiseHandler>promiseHandlerStubs;
573+
574+
const exporter = createOtlpExportDelegate(
575+
{
576+
promiseHandler: promiseHandler,
577+
serializer: mockSerializer,
578+
transport: mockTransport,
579+
},
580+
{
581+
timeout: 1000,
582+
}
583+
);
584+
585+
exporter.export(internalRepresentation, result => {
586+
try {
587+
assert.strictEqual(result.code, ExportResultCode.SUCCESS);
588+
assert.strictEqual(result.error, undefined);
589+
590+
// assert here as otherwise the promise will not have executed yet
591+
sinon.assert.calledOnceWithMatch(
592+
warn,
593+
'OTLPExportDelegate',
594+
'Export succeeded but could not deserialize response - is the response specification compliant?',
595+
sinon.match.instanceOf(Error),
596+
exportResponse.data
597+
);
598+
sinon.assert.calledOnce(serializerStubs.serializeRequest);
599+
sinon.assert.calledOnce(transportStubs.send);
600+
sinon.assert.calledOnce(promiseHandlerStubs.pushPromise);
601+
sinon.assert.calledOnce(promiseHandlerStubs.hasReachedLimit);
602+
sinon.assert.notCalled(promiseHandlerStubs.awaitAll);
603+
done();
604+
} catch (err) {
605+
// ensures we throw if there are more calls to result;
606+
done(err);
607+
}
608+
});
609+
});
610+
611+
it('returns success and warns on partial success response', function (done) {
612+
const { warn } = registerMockDiagLogger();
613+
// returns mock success response (empty body)
614+
const exportResponse: ExportResponse = {
615+
data: Uint8Array.from([]),
616+
status: 'success',
617+
};
618+
619+
// transport does not need to do anything in this case.
620+
const transportStubs = {
621+
send: sinon.stub().returns(Promise.resolve(exportResponse)),
622+
shutdown: sinon.stub(),
623+
};
624+
const mockTransport = <IExporterTransport>transportStubs;
625+
626+
const partialSuccessResponse: FakeSignalResponse = {
627+
partialSuccess: { foo: 'bar' },
628+
};
629+
630+
const serializerStubs = {
631+
// simulate that the serializer returns something to send
632+
serializeRequest: sinon.stub().returns(Uint8Array.from([1])),
633+
// simulate that it returns a partial success (response with contents)
634+
deserializeResponse: sinon.stub().returns(partialSuccessResponse),
635+
};
636+
const mockSerializer = <FakeSerializer>serializerStubs;
637+
638+
// mock a queue that has not yet reached capacity
639+
const promiseHandlerStubs = {
640+
pushPromise: sinon.stub(),
641+
hasReachedLimit: sinon.stub().returns(false),
642+
awaitAll: sinon.stub(),
643+
};
644+
const promiseHandler = <IExportPromiseHandler>promiseHandlerStubs;
645+
646+
const exporter = createOtlpExportDelegate(
647+
{
648+
promiseHandler: promiseHandler,
649+
serializer: mockSerializer,
650+
transport: mockTransport,
651+
},
652+
{
653+
timeout: 1000,
654+
}
655+
);
656+
657+
exporter.export(internalRepresentation, result => {
658+
try {
659+
assert.strictEqual(result.code, ExportResultCode.SUCCESS);
660+
assert.strictEqual(result.error, undefined);
661+
662+
// assert here as otherwise the promise will not have executed yet
663+
sinon.assert.calledOnceWithMatch(
664+
warn,
665+
'Received Partial Success response:',
666+
JSON.stringify(partialSuccessResponse.partialSuccess)
667+
);
668+
sinon.assert.calledOnce(serializerStubs.serializeRequest);
669+
sinon.assert.calledOnce(transportStubs.send);
670+
sinon.assert.calledOnce(promiseHandlerStubs.pushPromise);
671+
sinon.assert.calledOnce(promiseHandlerStubs.hasReachedLimit);
672+
sinon.assert.notCalled(promiseHandlerStubs.awaitAll);
673+
done();
674+
} catch (err) {
675+
// ensures we throw if there are more calls to result;
676+
done(err);
677+
}
678+
});
679+
});
680+
544681
it('returns failure when send rejects', function (done) {
545682
const transportStubs = {
546683
// make transport reject

0 commit comments

Comments
 (0)