Skip to content

Commit c14ab92

Browse files
authored
ref(core): Avoid using SentryError for event processing control flow (#15823)
This PR replaces our usage of `SentryError` for control flow in our event processing. Instead, we now throw either an `InternalError` or `DoNotSendEventError` (which are just POJOs with a symbol, without a stackframe). These two also allow us to differentiate between these two use cases, which so far have been kind of combined via the log level, but are really different things - one is "expected"/configured by a user, the other is unexpected and more of a warning. I also removed the handling for `SentryError` from inbound filters, as this should then become unused. This also deprecates `SentryError`, it is no longer used and we can eventually remove it. ref #15725 (comment)
1 parent 7f1087d commit c14ab92

File tree

8 files changed

+60
-85
lines changed

8 files changed

+60
-85
lines changed

packages/core/src/client.ts

+46-13
Original file line numberDiff line numberDiff line change
@@ -53,7 +53,6 @@ import {
5353
import { createClientReportEnvelope } from './utils-hoist/clientreport';
5454
import { dsnToString, makeDsn } from './utils-hoist/dsn';
5555
import { addItemToEnvelope, createAttachmentEnvelopeItem } from './utils-hoist/envelope';
56-
import { SentryError } from './utils-hoist/error';
5756
import { isParameterizedString, isPlainObject, isPrimitive, isThenable } from './utils-hoist/is';
5857
import { logger } from './utils-hoist/logger';
5958
import { checkOrSetAlreadyCaught, uuid4 } from './utils-hoist/misc';
@@ -69,6 +68,41 @@ import { _getSpanForScope } from './utils/spanOnScope';
6968
const ALREADY_SEEN_ERROR = "Not capturing exception because it's already been captured.";
7069
const MISSING_RELEASE_FOR_SESSION_ERROR = 'Discarded session because of missing or non-string release';
7170

71+
const INTERNAL_ERROR_SYMBOL = Symbol.for('SentryInternalError');
72+
const DO_NOT_SEND_EVENT_SYMBOL = Symbol.for('SentryDoNotSendEventError');
73+
74+
interface InternalError {
75+
message: string;
76+
[INTERNAL_ERROR_SYMBOL]: true;
77+
}
78+
79+
interface DoNotSendEventError {
80+
message: string;
81+
[DO_NOT_SEND_EVENT_SYMBOL]: true;
82+
}
83+
84+
function _makeInternalError(message: string): InternalError {
85+
return {
86+
message,
87+
[INTERNAL_ERROR_SYMBOL]: true,
88+
};
89+
}
90+
91+
function _makeDoNotSendEventError(message: string): DoNotSendEventError {
92+
return {
93+
message,
94+
[DO_NOT_SEND_EVENT_SYMBOL]: true,
95+
};
96+
}
97+
98+
function _isInternalError(error: unknown): error is InternalError {
99+
return !!error && typeof error === 'object' && INTERNAL_ERROR_SYMBOL in error;
100+
}
101+
102+
function _isDoNotSendEventError(error: unknown): error is DoNotSendEventError {
103+
return !!error && typeof error === 'object' && DO_NOT_SEND_EVENT_SYMBOL in error;
104+
}
105+
72106
/**
73107
* Base implementation for all JavaScript SDK clients.
74108
*
@@ -975,10 +1009,10 @@ export abstract class Client<O extends ClientOptions = ClientOptions> {
9751009
},
9761010
reason => {
9771011
if (DEBUG_BUILD) {
978-
// If something's gone wrong, log the error as a warning. If it's just us having used a `SentryError` for
979-
// control flow, log just the message (no stack) as a log-level log.
980-
if (reason instanceof SentryError && reason.logLevel === 'log') {
1012+
if (_isDoNotSendEventError(reason)) {
9811013
logger.log(reason.message);
1014+
} else if (_isInternalError(reason)) {
1015+
logger.warn(reason.message);
9821016
} else {
9831017
logger.warn(reason);
9841018
}
@@ -1022,9 +1056,8 @@ export abstract class Client<O extends ClientOptions = ClientOptions> {
10221056
if (isError && typeof parsedSampleRate === 'number' && Math.random() > parsedSampleRate) {
10231057
this.recordDroppedEvent('sample_rate', 'error');
10241058
return rejectedSyncPromise(
1025-
new SentryError(
1059+
_makeDoNotSendEventError(
10261060
`Discarding event because it's not included in the random sample (sampling rate = ${sampleRate})`,
1027-
'log',
10281061
),
10291062
);
10301063
}
@@ -1035,7 +1068,7 @@ export abstract class Client<O extends ClientOptions = ClientOptions> {
10351068
.then(prepared => {
10361069
if (prepared === null) {
10371070
this.recordDroppedEvent('event_processor', dataCategory);
1038-
throw new SentryError('An event processor returned `null`, will not send event.', 'log');
1071+
throw _makeDoNotSendEventError('An event processor returned `null`, will not send event.');
10391072
}
10401073

10411074
const isInternalException = hint.data && (hint.data as { __sentry__: boolean }).__sentry__ === true;
@@ -1055,7 +1088,7 @@ export abstract class Client<O extends ClientOptions = ClientOptions> {
10551088
const spanCount = 1 + spans.length;
10561089
this.recordDroppedEvent('before_send', 'span', spanCount);
10571090
}
1058-
throw new SentryError(`${beforeSendLabel} returned \`null\`, will not send event.`, 'log');
1091+
throw _makeDoNotSendEventError(`${beforeSendLabel} returned \`null\`, will not send event.`);
10591092
}
10601093

10611094
const session = currentScope.getSession() || isolationScope.getSession();
@@ -1089,7 +1122,7 @@ export abstract class Client<O extends ClientOptions = ClientOptions> {
10891122
return processedEvent;
10901123
})
10911124
.then(null, reason => {
1092-
if (reason instanceof SentryError) {
1125+
if (_isDoNotSendEventError(reason) || _isInternalError(reason)) {
10931126
throw reason;
10941127
}
10951128

@@ -1099,7 +1132,7 @@ export abstract class Client<O extends ClientOptions = ClientOptions> {
10991132
},
11001133
originalException: reason,
11011134
});
1102-
throw new SentryError(
1135+
throw _makeInternalError(
11031136
`Event processing pipeline threw an error, original event will not be sent. Details have been sent as a new event.\nReason: ${reason}`,
11041137
);
11051138
});
@@ -1205,16 +1238,16 @@ function _validateBeforeSendResult(
12051238
return beforeSendResult.then(
12061239
event => {
12071240
if (!isPlainObject(event) && event !== null) {
1208-
throw new SentryError(invalidValueError);
1241+
throw _makeInternalError(invalidValueError);
12091242
}
12101243
return event;
12111244
},
12121245
e => {
1213-
throw new SentryError(`${beforeSendLabel} rejected with ${e}`);
1246+
throw _makeInternalError(`${beforeSendLabel} rejected with ${e}`);
12141247
},
12151248
);
12161249
} else if (!isPlainObject(beforeSendResult) && beforeSendResult !== null) {
1217-
throw new SentryError(invalidValueError);
1250+
throw _makeInternalError(invalidValueError);
12181251
}
12191252
return beforeSendResult;
12201253
}

packages/core/src/integrations/eventFilters.ts

-17
Original file line numberDiff line numberDiff line change
@@ -102,19 +102,12 @@ function _mergeOptions(
102102
...(internalOptions.disableErrorDefaults ? [] : DEFAULT_IGNORE_ERRORS),
103103
],
104104
ignoreTransactions: [...(internalOptions.ignoreTransactions || []), ...(clientOptions.ignoreTransactions || [])],
105-
ignoreInternal: internalOptions.ignoreInternal !== undefined ? internalOptions.ignoreInternal : true,
106105
};
107106
}
108107

109108
function _shouldDropEvent(event: Event, options: Partial<EventFiltersOptions>): boolean {
110109
if (!event.type) {
111110
// Filter errors
112-
113-
if (options.ignoreInternal && _isSentryError(event)) {
114-
DEBUG_BUILD &&
115-
logger.warn(`Event dropped due to being internal Sentry Error.\nEvent: ${getEventDescription(event)}`);
116-
return true;
117-
}
118111
if (_isIgnoredError(event, options.ignoreErrors)) {
119112
DEBUG_BUILD &&
120113
logger.warn(
@@ -196,16 +189,6 @@ function _isAllowedUrl(event: Event, allowUrls?: Array<string | RegExp>): boolea
196189
return !url ? true : stringMatchesSomePattern(url, allowUrls);
197190
}
198191

199-
function _isSentryError(event: Event): boolean {
200-
try {
201-
// @ts-expect-error can't be a sentry error if undefined
202-
return event.exception.values[0].type === 'SentryError';
203-
} catch (e) {
204-
// ignore
205-
}
206-
return false;
207-
}
208-
209192
function _getLastValidUrl(frames: StackFrame[] = []): string | null {
210193
for (let i = frames.length - 1; i >= 0; i--) {
211194
const frame = frames[i];

packages/core/src/utils-hoist/error.ts

+4-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,9 @@
11
import type { ConsoleLevel } from '../types-hoist';
22

3-
/** An error emitted by Sentry SDKs and related utilities. */
3+
/**
4+
* An error emitted by Sentry SDKs and related utilities.
5+
* @deprecated This class is no longer used and will be removed in a future version. Use `Error` instead.
6+
*/
47
export class SentryError extends Error {
58
public logLevel: ConsoleLevel;
69

packages/core/src/utils-hoist/index.ts

+1
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@ export { applyAggregateErrorsToEvent } from './aggregate-errors';
22
export { getBreadcrumbLogLevelFromHttpStatusCode } from './breadcrumb-log-level';
33
export { getComponentName, getLocationHref, htmlTreeAsString } from './browser';
44
export { dsnFromString, dsnToString, makeDsn } from './dsn';
5+
// eslint-disable-next-line deprecation/deprecation
56
export { SentryError } from './error';
67
export { GLOBAL_OBJ } from './worldwide';
78
export type { InternalGlobal } from './worldwide';

packages/core/test/lib/client.test.ts

+8-15
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,6 @@
11
import { afterEach, beforeEach, describe, expect, it, test, vi } from 'vitest';
22
import {
33
Scope,
4-
SentryError,
54
SyncPromise,
65
addBreadcrumb,
76
dsnToString,
@@ -533,7 +532,7 @@ describe('Client', () => {
533532
);
534533
});
535534

536-
test('it adds a trace context to all events xxx', () => {
535+
test('it adds a trace context to all events', () => {
537536
expect.assertions(1);
538537

539538
const options = getDefaultTestClientOptions({ dsn: PUBLIC_DSN });
@@ -1206,7 +1205,7 @@ describe('Client', () => {
12061205
const options = getDefaultTestClientOptions({ dsn: PUBLIC_DSN, beforeSend });
12071206
const client = new TestClient(options);
12081207
const captureExceptionSpy = vi.spyOn(client, 'captureException');
1209-
const loggerWarnSpy = vi.spyOn(loggerModule.logger, 'log');
1208+
const loggerLogSpy = vi.spyOn(loggerModule.logger, 'log');
12101209

12111210
client.captureEvent({ message: 'hello' });
12121211

@@ -1215,7 +1214,7 @@ describe('Client', () => {
12151214
// This proves that the reason the event didn't send/didn't get set on the test client is not because there was an
12161215
// error, but because `beforeSend` returned `null`
12171216
expect(captureExceptionSpy).not.toBeCalled();
1218-
expect(loggerWarnSpy).toBeCalledWith('before send for type `error` returned `null`, will not send event.');
1217+
expect(loggerLogSpy).toBeCalledWith('before send for type `error` returned `null`, will not send event.');
12191218
});
12201219

12211220
test('calls `beforeSendTransaction` and discards the event', () => {
@@ -1225,7 +1224,7 @@ describe('Client', () => {
12251224
const options = getDefaultTestClientOptions({ dsn: PUBLIC_DSN, beforeSendTransaction });
12261225
const client = new TestClient(options);
12271226
const captureExceptionSpy = vi.spyOn(client, 'captureException');
1228-
const loggerWarnSpy = vi.spyOn(loggerModule.logger, 'log');
1227+
const loggerLogSpy = vi.spyOn(loggerModule.logger, 'log');
12291228

12301229
client.captureEvent({ transaction: '/dogs/are/great', type: 'transaction' });
12311230

@@ -1234,7 +1233,7 @@ describe('Client', () => {
12341233
// This proves that the reason the event didn't send/didn't get set on the test client is not because there was an
12351234
// error, but because `beforeSendTransaction` returned `null`
12361235
expect(captureExceptionSpy).not.toBeCalled();
1237-
expect(loggerWarnSpy).toBeCalledWith('before send for type `transaction` returned `null`, will not send event.');
1236+
expect(loggerLogSpy).toBeCalledWith('before send for type `transaction` returned `null`, will not send event.');
12381237
});
12391238

12401239
test('does not discard span and warn when returning null from `beforeSendSpan', () => {
@@ -1293,9 +1292,7 @@ describe('Client', () => {
12931292

12941293
expect(beforeSend).toHaveBeenCalled();
12951294
expect(TestClient.instance!.event).toBeUndefined();
1296-
expect(loggerWarnSpy).toBeCalledWith(
1297-
new SentryError('before send for type `error` must return `null` or a valid event.'),
1298-
);
1295+
expect(loggerWarnSpy).toBeCalledWith('before send for type `error` must return `null` or a valid event.');
12991296
}
13001297
});
13011298

@@ -1314,9 +1311,7 @@ describe('Client', () => {
13141311

13151312
expect(beforeSendTransaction).toHaveBeenCalled();
13161313
expect(TestClient.instance!.event).toBeUndefined();
1317-
expect(loggerWarnSpy).toBeCalledWith(
1318-
new SentryError('before send for type `transaction` must return `null` or a valid event.'),
1319-
);
1314+
expect(loggerWarnSpy).toBeCalledWith('before send for type `transaction` must return `null` or a valid event.');
13201315
}
13211316
});
13221317

@@ -1688,9 +1683,7 @@ describe('Client', () => {
16881683
originalException: exception,
16891684
});
16901685
expect(loggerWarnSpy).toBeCalledWith(
1691-
new SentryError(
1692-
`Event processing pipeline threw an error, original event will not be sent. Details have been sent as a new event.\nReason: ${exception}`,
1693-
),
1686+
`Event processing pipeline threw an error, original event will not be sent. Details have been sent as a new event.\nReason: ${exception}`,
16941687
);
16951688
});
16961689

packages/core/test/lib/integrations/eventFilters.test.ts

-27
Original file line numberDiff line numberDiff line change
@@ -311,17 +311,6 @@ const EVENT_WITH_VALUE: Event = {
311311
},
312312
};
313313

314-
const SENTRY_EVENT: Event = {
315-
exception: {
316-
values: [
317-
{
318-
type: 'SentryError',
319-
value: 'something something server connection',
320-
},
321-
],
322-
},
323-
};
324-
325314
const SCRIPT_ERROR_EVENT: Event = {
326315
exception: {
327316
values: [
@@ -425,22 +414,6 @@ describe.each([
425414
['InboundFilters', inboundFiltersIntegration],
426415
['EventFilters', eventFiltersIntegration],
427416
])('%s', (_, integrationFn) => {
428-
describe('_isSentryError', () => {
429-
it('should work as expected', () => {
430-
const eventProcessor = createEventFiltersEventProcessor(integrationFn);
431-
expect(eventProcessor(MESSAGE_EVENT, {})).toBe(MESSAGE_EVENT);
432-
expect(eventProcessor(EXCEPTION_EVENT, {})).toBe(EXCEPTION_EVENT);
433-
expect(eventProcessor(SENTRY_EVENT, {})).toBe(null);
434-
});
435-
436-
it('should be configurable', () => {
437-
const eventProcessor = createEventFiltersEventProcessor(integrationFn, { ignoreInternal: false });
438-
expect(eventProcessor(MESSAGE_EVENT, {})).toBe(MESSAGE_EVENT);
439-
expect(eventProcessor(EXCEPTION_EVENT, {})).toBe(EXCEPTION_EVENT);
440-
expect(eventProcessor(SENTRY_EVENT, {})).toBe(SENTRY_EVENT);
441-
});
442-
});
443-
444417
describe('ignoreErrors', () => {
445418
it('string filter with partial match', () => {
446419
const eventProcessor = createEventFiltersEventProcessor(integrationFn, {

packages/core/test/utils-hoist/is.test.ts

-11
Original file line numberDiff line numberDiff line change
@@ -14,16 +14,6 @@ import { supportsDOMError, supportsDOMException, supportsErrorEvent } from '../.
1414
import { resolvedSyncPromise } from '../../src/utils-hoist/syncpromise';
1515
import { testOnlyIfNodeVersionAtLeast } from './testutils';
1616

17-
class SentryError extends Error {
18-
public name: string;
19-
20-
public constructor(public message: string) {
21-
super(message);
22-
this.name = new.target.prototype.constructor.name;
23-
Object.setPrototypeOf(this, new.target.prototype);
24-
}
25-
}
26-
2717
if (supportsDOMError()) {
2818
describe('isDOMError()', () => {
2919
test('should work as advertised', () => {
@@ -47,7 +37,6 @@ describe('isError()', () => {
4737
test('should work as advertised', () => {
4838
expect(isError(new Error())).toEqual(true);
4939
expect(isError(new ReferenceError())).toEqual(true);
50-
expect(isError(new SentryError('message'))).toEqual(true);
5140
expect(isError({})).toEqual(false);
5241
expect(
5342
isError({

packages/opentelemetry/test/utils/mapStatus.test.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -81,7 +81,7 @@ describe('mapStatus', () => {
8181
expect(actual).toEqual(expected);
8282
});
8383

84-
it('works with string SEMATTRS_HTTP_STATUS_CODE xxx', () => {
84+
it('works with string SEMATTRS_HTTP_STATUS_CODE', () => {
8585
const span = createSpan('test-span');
8686

8787
span.setStatus({ code: 0 }); // UNSET

0 commit comments

Comments
 (0)