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鈥檒l occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat(core): Add spanToJSON() method to get span properties #10074

Merged
merged 1 commit into from
Jan 8, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
7 changes: 7 additions & 0 deletions packages/core/package.json
Original file line number Diff line number Diff line change
Expand Up @@ -56,5 +56,12 @@
"volta": {
"extends": "../../package.json"
},
"madge": {
"detectiveOptions": {
"ts": {
"skipTypeImports": true
}
}
},
Comment on lines +59 to +65
Copy link
Member

Choose a reason for hiding this comment

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

Circ deps (even types) are usually very smelly. Is this 100% necessary?

Copy link
Member Author

Choose a reason for hiding this comment

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

yes, it is - as we need the util in spanUtils, and we need spanUtils in span, and for the util we need the span class from span 馃槵 at least I couldn't think of a way to make this work properly :( we can remove it in v8 though, then we don't need to import from spanUtils in span anymore!

Copy link
Member

@lforst lforst Jan 5, 2024

Choose a reason for hiding this comment

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

Alright then! Let's add a comment/todo somewhere then to remove this opt-out again (if you also think that it's worth keeping in general in the future).

Copy link
Member Author

Choose a reason for hiding this comment

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

(or open for other ideas, of course)

"sideEffects": false
}
5 changes: 4 additions & 1 deletion packages/core/src/index.ts
Original file line number Diff line number Diff line change
Expand Up @@ -72,7 +72,10 @@ export { createCheckInEnvelope } from './checkin';
export { hasTracingEnabled } from './utils/hasTracingEnabled';
export { isSentryRequestUrl } from './utils/isSentryRequestUrl';
export { handleCallbackErrors } from './utils/handleCallbackErrors';
export { spanToTraceHeader } from './utils/spanUtils';
export {
spanToTraceHeader,
spanToJSON,
} from './utils/spanUtils';
export { DEFAULT_ENVIRONMENT } from './constants';
export { ModuleMetadata } from './integrations/metadata';
export { RequestData } from './integrations/requestdata';
Expand Down
26 changes: 11 additions & 15 deletions packages/core/src/tracing/span.ts
Original file line number Diff line number Diff line change
Expand Up @@ -6,6 +6,7 @@ import type {
SpanAttributeValue,
SpanAttributes,
SpanContext,
SpanJSON,
SpanOrigin,
SpanTimeInput,
TraceContext,
Expand Down Expand Up @@ -372,22 +373,9 @@ export class Span implements SpanInterface {
}

/**
* @inheritDoc
* Get JSON representation of this span.
*/
public toJSON(): {
// eslint-disable-next-line @typescript-eslint/no-explicit-any
data?: { [key: string]: any };
description?: string;
op?: string;
parent_span_id?: string;
span_id: string;
start_timestamp: number;
status?: string;
tags?: { [key: string]: Primitive };
timestamp?: number;
trace_id: string;
origin?: SpanOrigin;
} {
public getSpanJSON(): SpanJSON {
return dropUndefinedKeys({
data: this._getData(),
description: this.description,
Expand All @@ -408,6 +396,14 @@ export class Span implements SpanInterface {
return !this.endTimestamp && !!this.sampled;
}

/**
* Convert the object to JSON.
* @deprecated Use `spanToJSON(span)` instead.
*/
public toJSON(): SpanJSON {
return this.getSpanJSON();
}

/**
* Get the merged data for this span.
* For now, this combines `data` and `attributes` together,
Expand Down
1 change: 1 addition & 0 deletions packages/core/src/tracing/transaction.ts
Original file line number Diff line number Diff line change
Expand Up @@ -285,6 +285,7 @@ export class Transaction extends SpanClass implements TransactionInterface {
// We don't want to override trace context
trace: spanToTraceContext(this),
},
// TODO: Pass spans serialized via `spanToJSON()` here instead in v8.
spans: finishedSpans,
start_timestamp: this.startTimestamp,
tags: this.tags,
Expand Down
38 changes: 36 additions & 2 deletions packages/core/src/utils/spanUtils.ts
Original file line number Diff line number Diff line change
@@ -1,11 +1,13 @@
import type { Span, SpanTimeInput, TraceContext } from '@sentry/types';
import type { Span, SpanJSON, SpanTimeInput, TraceContext } from '@sentry/types';
import { dropUndefinedKeys, generateSentryTraceHeader, timestampInSeconds } from '@sentry/utils';
import type { Span as SpanClass } from '../tracing/span';

/**
* Convert a span to a trace context, which can be sent as the `trace` context in an event.
*/
export function spanToTraceContext(span: Span): TraceContext {
const { data, description, op, parent_span_id, span_id, status, tags, trace_id, origin } = span.toJSON();
const { spanId: span_id, traceId: trace_id } = span;
const { data, description, op, parent_span_id, status, tags, origin } = spanToJSON(span);

return dropUndefinedKeys({
data,
Expand Down Expand Up @@ -54,3 +56,35 @@ function ensureTimestampInSeconds(timestamp: number): number {
const isMs = timestamp > 9999999999;
return isMs ? timestamp / 1000 : timestamp;
}

/**
* Convert a span to a JSON representation.
* Note that all fields returned here are optional and need to be guarded against.
*
* Note: Because of this, we currently have a circular type dependency (which we opted out of in package.json).
* This is not avoidable as we need `spanToJSON` in `spanUtils.ts`, which in turn is needed by `span.ts` for backwards compatibility.
Copy link
Member Author

Choose a reason for hiding this comment

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

@lforst added this comment here for the future!

* And `spanToJSON` needs the Span class from `span.ts` to check here.
* TODO v8: When we remove the deprecated stuff from `span.ts`, we can remove the circular dependency again.
*/
export function spanToJSON(span: Span): Partial<SpanJSON> {
if (spanIsSpanClass(span)) {
return span.getSpanJSON();
}

// Fallback: We also check for `.toJSON()` here...
// eslint-disable-next-line deprecation/deprecation
if (typeof span.toJSON === 'function') {
// eslint-disable-next-line deprecation/deprecation
return span.toJSON();
}

return {};
}

/**
* Sadly, due to circular dependency checks we cannot actually import the Span class here and check for instanceof.
* :( So instead we approximate this by checking if it has the `getSpanJSON` method.
*/
function spanIsSpanClass(span: Span): span is SpanClass {
return typeof (span as SpanClass).getSpanJSON === 'function';
}
71 changes: 70 additions & 1 deletion packages/core/test/lib/utils/spanUtils.test.ts
Original file line number Diff line number Diff line change
@@ -1,6 +1,6 @@
import { TRACEPARENT_REGEXP, timestampInSeconds } from '@sentry/utils';
import { Span, spanToTraceHeader } from '../../../src';
import { spanTimeInputToSeconds } from '../../../src/utils/spanUtils';
import { spanTimeInputToSeconds, spanToJSON } from '../../../src/utils/spanUtils';

describe('spanToTraceHeader', () => {
test('simple', () => {
Expand Down Expand Up @@ -46,3 +46,72 @@ describe('spanTimeInputToSeconds', () => {
expect(spanTimeInputToSeconds(timestamp)).toEqual(seconds + 0.000009);
});
});

describe('spanToJSON', () => {
it('works with a simple span', () => {
const span = new Span();
expect(spanToJSON(span)).toEqual({
span_id: span.spanId,
trace_id: span.traceId,
origin: 'manual',
start_timestamp: span.startTimestamp,
});
});

it('works with a full span', () => {
const span = new Span({
name: 'test name',
op: 'test op',
parentSpanId: '1234',
spanId: '5678',
status: 'ok',
tags: {
foo: 'bar',
},
traceId: 'abcd',
origin: 'auto',
startTimestamp: 123,
});

expect(spanToJSON(span)).toEqual({
description: 'test name',
op: 'test op',
parent_span_id: '1234',
span_id: '5678',
status: 'ok',
tags: {
foo: 'bar',
},
trace_id: 'abcd',
origin: 'auto',
start_timestamp: 123,
});
});

it('works with a custom class without spanToJSON', () => {
const span = {
toJSON: () => {
return {
span_id: 'span_id',
trace_id: 'trace_id',
origin: 'manual',
start_timestamp: 123,
};
},
} as unknown as Span;

expect(spanToJSON(span)).toEqual({
span_id: 'span_id',
trace_id: 'trace_id',
origin: 'manual',
start_timestamp: 123,
});
});

it('returns empty object if span does not have getter methods', () => {
// eslint-disable-next-line
const span = new Span().toJSON();

expect(spanToJSON(span as unknown as Span)).toEqual({});
});
});
Original file line number Diff line number Diff line change
@@ -1,6 +1,7 @@
import { SpanKind, TraceFlags, context, trace } from '@opentelemetry/api';
import type { SpanProcessor } from '@opentelemetry/sdk-trace-base';
import { SemanticAttributes } from '@opentelemetry/semantic-conventions';
import { spanToJSON } from '@sentry/core';
import { SentrySpanProcessor, getCurrentHub, setPropagationContextOnContext } from '@sentry/opentelemetry';
import type { Integration, PropagationContext, TransactionEvent } from '@sentry/types';
import { logger } from '@sentry/utils';
Expand Down Expand Up @@ -145,7 +146,7 @@ describe('Integration | Transactions', () => {

// note: Currently, spans do not have any context/span added to them
// This is the same behavior as for the "regular" SDKs
expect(spans.map(span => span.toJSON())).toEqual([
expect(spans.map(span => spanToJSON(span))).toEqual([
{
data: { 'otel.kind': 'INTERNAL' },
description: 'inner span 1',
Expand Down Expand Up @@ -399,7 +400,7 @@ describe('Integration | Transactions', () => {

// note: Currently, spans do not have any context/span added to them
// This is the same behavior as for the "regular" SDKs
expect(spans.map(span => span.toJSON())).toEqual([
expect(spans.map(span => spanToJSON(span))).toEqual([
{
data: { 'otel.kind': 'INTERNAL' },
description: 'inner span 1',
Expand Down
5 changes: 3 additions & 2 deletions packages/opentelemetry/test/custom/transaction.test.ts
Original file line number Diff line number Diff line change
@@ -1,3 +1,4 @@
import { spanToJSON } from '@sentry/core';
import { getCurrentHub } from '../../src/custom/hub';
import { OpenTelemetryScope } from '../../src/custom/scope';
import { OpenTelemetryTransaction, startTransaction } from '../../src/custom/transaction';
Expand Down Expand Up @@ -157,7 +158,7 @@ describe('startTranscation', () => {
spanMetadata: {},
});

expect(transaction.toJSON()).toEqual(
expect(spanToJSON(transaction)).toEqual(
expect.objectContaining({
origin: 'manual',
span_id: expect.any(String),
Expand Down Expand Up @@ -186,7 +187,7 @@ describe('startTranscation', () => {
spanMetadata: {},
});

expect(transaction.toJSON()).toEqual(
expect(spanToJSON(transaction)).toEqual(
expect.objectContaining({
origin: 'manual',
span_id: 'span1',
Expand Down
5 changes: 3 additions & 2 deletions packages/opentelemetry/test/integration/transactions.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -4,6 +4,7 @@ import { addBreadcrumb, setTag } from '@sentry/core';
import type { PropagationContext, TransactionEvent } from '@sentry/types';
import { logger } from '@sentry/utils';

import { spanToJSON } from '@sentry/core';
import { getCurrentHub } from '../../src/custom/hub';
import { SentrySpanProcessor } from '../../src/spanProcessor';
import { startInactiveSpan, startSpan } from '../../src/trace';
Expand Down Expand Up @@ -142,7 +143,7 @@ describe('Integration | Transactions', () => {

// note: Currently, spans do not have any context/span added to them
// This is the same behavior as for the "regular" SDKs
expect(spans.map(span => span.toJSON())).toEqual([
expect(spans.map(span => spanToJSON(span))).toEqual([
{
data: { 'otel.kind': 'INTERNAL' },
description: 'inner span 1',
Expand Down Expand Up @@ -393,7 +394,7 @@ describe('Integration | Transactions', () => {

// note: Currently, spans do not have any context/span added to them
// This is the same behavior as for the "regular" SDKs
expect(spans.map(span => span.toJSON())).toEqual([
expect(spans.map(span => spanToJSON(span))).toEqual([
{
data: { 'otel.kind': 'INTERNAL' },
description: 'inner span 1',
Expand Down
10 changes: 9 additions & 1 deletion packages/types/src/index.ts
Original file line number Diff line number Diff line change
Expand Up @@ -89,7 +89,15 @@ export type {

// eslint-disable-next-line deprecation/deprecation
export type { Severity, SeverityLevel } from './severity';
export type { Span, SpanContext, SpanOrigin, SpanAttributeValue, SpanAttributes, SpanTimeInput } from './span';
export type {
Span,
SpanContext,
SpanOrigin,
SpanAttributeValue,
SpanAttributes,
SpanTimeInput,
SpanJSON,
} from './span';
export type { StackFrame } from './stackframe';
export type { Stacktrace, StackParser, StackLineParser, StackLineParserFn } from './stacktrace';
export type { TextEncoderInternal } from './textencoder';
Expand Down
34 changes: 20 additions & 14 deletions packages/types/src/span.ts
Original file line number Diff line number Diff line change
Expand Up @@ -28,6 +28,21 @@ export type SpanAttributes = Record<string, SpanAttributeValue | undefined>;
/** This type is aligned with the OpenTelemetry TimeInput type. */
export type SpanTimeInput = HrTime | number | Date;

/** A JSON representation of a span. */
export interface SpanJSON {
data?: { [key: string]: any };
description?: string;
op?: string;
parent_span_id?: string;
span_id: string;
start_timestamp: number;
status?: string;
tags?: { [key: string]: Primitive };
timestamp?: number;
trace_id: string;
origin?: SpanOrigin;
}

/** Interface holding all properties that can be set on a Span on creation. */
export interface SpanContext {
/**
Expand Down Expand Up @@ -256,20 +271,11 @@ export interface Span extends SpanContext {
*/
getTraceContext(): TraceContext;

/** Convert the object to JSON */
toJSON(): {
data?: { [key: string]: any };
description?: string;
op?: string;
parent_span_id?: string;
span_id: string;
start_timestamp: number;
status?: string;
tags?: { [key: string]: Primitive };
timestamp?: number;
trace_id: string;
origin?: SpanOrigin;
};
/**
* Convert the object to JSON.
* @deprecated Use `spanToJSON(span)` instead.
*/
toJSON(): SpanJSON;

/**
* If this is span is actually recording data.
Expand Down