Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat(tracing): support for truncatation of span attribute values #1624

Closed
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
41 changes: 41 additions & 0 deletions packages/opentelemetry-core/src/common/attributes.ts
Original file line number Diff line number Diff line change
Expand Up @@ -47,6 +47,47 @@ export function isAttributeValue(val: unknown): val is AttributeValue {
return isValidPrimitiveAttributeValue(val);
}

export function truncateValueIfTooLong(
value: AttributeValue,
limit: number | null,
truncationWarningCallback = () => {}
): AttributeValue {
if (limit === null) {
return value;
}

if (limit < 32) {
throw new Error('Value size limit cannot be lower than 32.');
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

It should never throw any error, it can warn user but never throw.
with regards to limit I posted a reply on spec issue

}

if (typeof value === 'boolean' || typeof value === 'number') {
// these types can't exceed the attribute value size limit
return value;
}

if (Array.isArray(value)) {
// note: this is potentially incompatible with a given exporter
const serialized = JSON.stringify(value);
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

this will be probably refactored to truncate each of the array element individually right ?


if (serialized.length > limit) {
return truncateValueIfTooLong(
serialized,
limit,
truncationWarningCallback
);
}

return value;
}

if (value.length > limit) {
truncationWarningCallback();
return value.substring(0, limit);
}

return value;
}

function isHomogeneousAttributeValueArray(arr: unknown[]): boolean {
let type: string | undefined;

Expand Down
7 changes: 7 additions & 0 deletions packages/opentelemetry-core/src/utils/environment.ts
Original file line number Diff line number Diff line change
Expand Up @@ -25,10 +25,12 @@ export interface ENVIRONMENT {
OTEL_LOG_LEVEL?: LogLevel;
OTEL_NO_PATCH_MODULES?: string;
OTEL_SAMPLING_PROBABILITY?: number;
OTEL_SPAN_ATTRIBUTE_VALUE_SIZE_LIMIT?: number | null;
}

const ENVIRONMENT_NUMBERS: Partial<keyof ENVIRONMENT>[] = [
'OTEL_SAMPLING_PROBABILITY',
'OTEL_SPAN_ATTRIBUTE_VALUE_SIZE_LIMIT',
];

/**
Expand All @@ -38,6 +40,7 @@ export const DEFAULT_ENVIRONMENT: Required<ENVIRONMENT> = {
OTEL_NO_PATCH_MODULES: '',
OTEL_LOG_LEVEL: LogLevel.INFO,
OTEL_SAMPLING_PROBABILITY: 1,
OTEL_SPAN_ATTRIBUTE_VALUE_SIZE_LIMIT: null,
};

/**
Expand Down Expand Up @@ -116,6 +119,10 @@ export function parseEnvironment(values: ENVIRONMENT_MAP): ENVIRONMENT {
setLogLevelFromEnv(key, environment, values);
break;

case 'OTEL_SPAN_ATTRIBUTE_VALUE_SIZE_LIMIT':
parseNumber(key, environment, values, 32, Number.MAX_SAFE_INTEGER);
break;

default:
if (ENVIRONMENT_NUMBERS.indexOf(key) >= 0) {
parseNumber(key, environment, values);
Expand Down
60 changes: 60 additions & 0 deletions packages/opentelemetry-core/test/common/attributes.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -15,9 +15,11 @@
*/

import * as assert from 'assert';
import * as sinon from 'sinon';
import {
isAttributeValue,
sanitizeAttributes,
truncateValueIfTooLong,
} from '../../src/common/attributes';

describe('attributes', () => {
Expand Down Expand Up @@ -103,4 +105,62 @@ describe('attributes', () => {
assert.strictEqual(attributes.arr[0], 'unmodified');
});
});
describe('#truncateValueIfTooLong', () => {
it('should not truncate any given value if the limit is not set', () => {
assert.strictEqual(truncateValueIfTooLong('a', null), 'a');
assert.strictEqual(truncateValueIfTooLong(1, null), 1);
assert.strictEqual(truncateValueIfTooLong(true, null), true);

const arrayRef: string[] = [];
assert.strictEqual(truncateValueIfTooLong(arrayRef, null), arrayRef);
});

it('passes numbers and bools through', () => {
assert.strictEqual(truncateValueIfTooLong(true, 32), true);
assert.strictEqual(truncateValueIfTooLong(false, 32), false);
assert.strictEqual(truncateValueIfTooLong(1, 32), 1);
});

it('truncates strings if they are longer than the limit', () => {
assert.strictEqual(
truncateValueIfTooLong('a'.repeat(100), 100),
'a'.repeat(100)
);
assert.strictEqual(
truncateValueIfTooLong('a'.repeat(101), 100),
'a'.repeat(100)
);
});

it('serializes and truncates arrays if they are longer than the limit', () => {
assert.strictEqual(
truncateValueIfTooLong(['a'.repeat(100)], 32),
'["' + 'a'.repeat(30)
);
assert.strictEqual(
truncateValueIfTooLong(
[...new Array(10).keys()].map(() => 1000),
32
),
'[' + '1000,'.repeat(6) + '1'
);
assert.strictEqual(
truncateValueIfTooLong(
[...new Array(10).keys()].map(() => true),
32
),
'[' + 'true,'.repeat(6) + 't'
);
});

it('executes callback if a value was truncated', () => {
const fakeCallback = sinon.spy();

truncateValueIfTooLong('a'.repeat(32), 32, fakeCallback);
assert.ok(!fakeCallback.called);

truncateValueIfTooLong('a'.repeat(33), 32, fakeCallback);
assert(fakeCallback.called);
});
});
});
2 changes: 2 additions & 0 deletions packages/opentelemetry-core/test/utils/environment.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -77,11 +77,13 @@ describe('environment', () => {
OTEL_NO_PATCH_MODULES: 'a,b,c',
OTEL_LOG_LEVEL: 'ERROR',
OTEL_SAMPLING_PROBABILITY: '0.5',
OTEL_SPAN_ATTRIBUTE_VALUE_SIZE_LIMIT: '32',
});
const env = getEnv();
assert.strictEqual(env.OTEL_NO_PATCH_MODULES, 'a,b,c');
assert.strictEqual(env.OTEL_LOG_LEVEL, LogLevel.ERROR);
assert.strictEqual(env.OTEL_SAMPLING_PROBABILITY, 0.5);
assert.strictEqual(env.OTEL_SPAN_ATTRIBUTE_VALUE_SIZE_LIMIT, 32);
});

it('should parse OTEL_LOG_LEVEL despite casing', () => {
Expand Down
17 changes: 15 additions & 2 deletions packages/opentelemetry-tracing/src/Span.ts
Original file line number Diff line number Diff line change
Expand Up @@ -16,12 +16,13 @@

import * as api from '@opentelemetry/api';
import {
isAttributeValue,
hrTime,
hrTimeDuration,
InstrumentationLibrary,
isAttributeValue,
isTimeInput,
timeInputToHrTime,
truncateValueIfTooLong,
} from '@opentelemetry/core';
import { Resource } from '@opentelemetry/resources';
import {
Expand Down Expand Up @@ -56,6 +57,7 @@ export class Span implements api.Span, ReadableSpan {
endTime: api.HrTime = [0, 0];
private _ended = false;
private _duration: api.HrTime = [-1, -1];
private _hasTruncated = false;
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
private _hasTruncated = false;
private _wasTruncated = false;

private readonly _logger: api.Logger;
private readonly _spanProcessor: SpanProcessor;
private readonly _traceParams: TraceParams;
Expand Down Expand Up @@ -112,7 +114,18 @@ export class Span implements api.Span, ReadableSpan {
delete this.attributes[attributeKeyToDelete];
}
}
this.attributes[key] = value;

console.log('limit', this._traceParams.spanAttributeValueSizeLimit);
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

this should be removed ?

this.attributes[key] = truncateValueIfTooLong(
value,
this._traceParams.spanAttributeValueSizeLimit || null,
this._hasTruncated
? undefined
: () => {
this._hasTruncated = true;
this._logger.warn(`Span attribute value truncated at key: ${key}.`);
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
this._logger.warn(`Span attribute value truncated at key: ${key}.`);
this._logger.warn(`Truncating span attribute value for key: ${key}.`);

}
);
return this;
}

Expand Down
9 changes: 9 additions & 0 deletions packages/opentelemetry-tracing/src/Tracer.ts
Original file line number Diff line number Diff line change
Expand Up @@ -55,6 +55,15 @@ export class Tracer implements api.Tracer {
this.resource = _tracerProvider.resource;
this.instrumentationLibrary = instrumentationLibrary;
this.logger = config.logger || new ConsoleLogger(config.logLevel);

const configuredAttributeLimit =
this._traceParams.spanAttributeValueSizeLimit || null;
if (configuredAttributeLimit !== null && configuredAttributeLimit < 32) {
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
if (configuredAttributeLimit !== null && configuredAttributeLimit < 32) {
if (typeof configuredAttributeLimit === 'number' && configuredAttributeLimit < 32) {

this.logger.warn(
'OTEL_SPAN_ATTRIBUTE_VALUE_SIZE_LIMIT was set to a value lower than 32, which is not allowed, limit of 32 will be applied.'
);
this._traceParams.spanAttributeValueSizeLimit = 32;
}
}

/**
Expand Down
1 change: 1 addition & 0 deletions packages/opentelemetry-tracing/src/config.ts
Original file line number Diff line number Diff line change
Expand Up @@ -36,6 +36,7 @@ export const DEFAULT_CONFIG = {
numberOfAttributesPerSpan: DEFAULT_MAX_ATTRIBUTES_PER_SPAN,
numberOfLinksPerSpan: DEFAULT_MAX_LINKS_PER_SPAN,
numberOfEventsPerSpan: DEFAULT_MAX_EVENTS_PER_SPAN,
spanAttributeValueSizeLimit: getEnv().OTEL_SPAN_ATTRIBUTE_VALUE_SIZE_LIMIT,
},
gracefulShutdown: true,
};
2 changes: 2 additions & 0 deletions packages/opentelemetry-tracing/src/types.ts
Original file line number Diff line number Diff line change
Expand Up @@ -74,6 +74,8 @@ export interface TraceParams {
numberOfLinksPerSpan?: number;
/** numberOfEventsPerSpan is number of message events per span */
numberOfEventsPerSpan?: number;
/** this field defines maximum length of attribute value before it is truncated */
spanAttributeValueSizeLimit?: number | null;
}

/** Interface configuration for a buffer. */
Expand Down
3 changes: 3 additions & 0 deletions packages/opentelemetry-tracing/src/utility.ts
Original file line number Diff line number Diff line change
Expand Up @@ -56,6 +56,9 @@ export function mergeConfig(userConfig: TracerConfig) {
traceParams.numberOfEventsPerSpan || DEFAULT_MAX_EVENTS_PER_SPAN;
target.traceParams.numberOfLinksPerSpan =
traceParams.numberOfLinksPerSpan || DEFAULT_MAX_LINKS_PER_SPAN;
target.traceParams.spanAttributeValueSizeLimit =
target.traceParams.spanAttributeValueSizeLimit ||
getEnv().OTEL_SPAN_ATTRIBUTE_VALUE_SIZE_LIMIT;
}
return target;
}
18 changes: 18 additions & 0 deletions packages/opentelemetry-tracing/test/BasicTracerProvider.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -78,6 +78,7 @@ describe('BasicTracerProvider', () => {
numberOfAttributesPerSpan: 32,
numberOfEventsPerSpan: 128,
numberOfLinksPerSpan: 32,
spanAttributeValueSizeLimit: null,
});
});

Expand All @@ -91,6 +92,7 @@ describe('BasicTracerProvider', () => {
numberOfAttributesPerSpan: 100,
numberOfEventsPerSpan: 128,
numberOfLinksPerSpan: 32,
spanAttributeValueSizeLimit: null,
});
});

Expand All @@ -104,6 +106,7 @@ describe('BasicTracerProvider', () => {
numberOfAttributesPerSpan: 32,
numberOfEventsPerSpan: 300,
numberOfLinksPerSpan: 32,
spanAttributeValueSizeLimit: null,
});
});

Expand All @@ -117,6 +120,21 @@ describe('BasicTracerProvider', () => {
numberOfAttributesPerSpan: 32,
numberOfEventsPerSpan: 128,
numberOfLinksPerSpan: 10,
spanAttributeValueSizeLimit: null,
});
});

it('should construct an instance with customized spanAttributeValueSizeLimit trace params', () => {
const tracer = new BasicTracerProvider({
traceParams: {
spanAttributeValueSizeLimit: 100,
},
}).getTracer('default');
assert.deepStrictEqual(tracer.getActiveTraceParams(), {
numberOfAttributesPerSpan: 32,
numberOfEventsPerSpan: 128,
numberOfLinksPerSpan: 32,
spanAttributeValueSizeLimit: 100,
});
});

Expand Down
81 changes: 81 additions & 0 deletions packages/opentelemetry-tracing/test/Span.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -31,6 +31,7 @@ import {
} from '@opentelemetry/core';
import { ExceptionAttribute } from '@opentelemetry/semantic-conventions';
import * as assert from 'assert';
import sinon = require('sinon');
import { BasicTracerProvider, Span, SpanProcessor } from '../src';

const performanceTimeOrigin = hrTime();
Expand Down Expand Up @@ -255,6 +256,86 @@ describe('Span', () => {
assert.strictEqual(span.attributes['foo149'], 'bar149');
});

it('should truncate attribute values exceeding length limit', () => {
const tracerWithLimit = new BasicTracerProvider({
logger: new NoopLogger(),
traceParams: {
spanAttributeValueSizeLimit: 100,
},
}).getTracer('default');

const spanWithLimit = new Span(
tracerWithLimit,
name,
spanContext,
SpanKind.CLIENT
);
const spanWithoutLimit = new Span(
tracer,
name,
spanContext,
SpanKind.CLIENT
);

spanWithLimit.setAttribute('attr under limit', 'a'.repeat(100));
assert.strictEqual(
spanWithLimit.attributes['attr under limit'],
'a'.repeat(100)
);
spanWithoutLimit.setAttribute('attr under limit', 'a'.repeat(100));
assert.strictEqual(
spanWithoutLimit.attributes['attr under limit'],
'a'.repeat(100)
);

spanWithLimit.setAttribute('attr over limit', 'b'.repeat(101));
assert.strictEqual(
spanWithLimit.attributes['attr over limit'],
'b'.repeat(100)
);
spanWithoutLimit.setAttribute('attr over limit', 'b'.repeat(101));
assert.strictEqual(
spanWithoutLimit.attributes['attr over limit'],
'b'.repeat(101)
);
});

it('should warn once when truncating attribute values exceeding length limit', () => {
const logger = new NoopLogger();
const loggerWarnSpy = sinon.spy(logger, 'warn');

const tracerWithLimit = new BasicTracerProvider({
logger,
traceParams: {
spanAttributeValueSizeLimit: 100,
},
}).getTracer('default');

const spanWithLimit = new Span(
tracerWithLimit,
name,
spanContext,
SpanKind.CLIENT
);

spanWithLimit.setAttribute('longAttr', 'b'.repeat(100));
assert(!loggerWarnSpy.called);

spanWithLimit.setAttribute('longAttr', 'b'.repeat(101));
assert(
loggerWarnSpy.withArgs('Span attribute value truncated at key: longAttr.')
.calledOnce
);

spanWithLimit.setAttribute('longAttr', 'c'.repeat(102));
assert(
loggerWarnSpy.withArgs('Span attribute value truncated at key: longAttr.')
.calledOnce
);

assert.strictEqual(spanWithLimit.attributes.longAttr, 'c'.repeat(100));
});

it('should set an error status', () => {
const span = new Span(tracer, name, spanContext, SpanKind.CLIENT);
span.setStatus({
Expand Down