diff --git a/.cursor/BUGBOT.md b/.cursor/BUGBOT.md
new file mode 100644
index 000000000000..a512d79fa435
--- /dev/null
+++ b/.cursor/BUGBOT.md
@@ -0,0 +1,42 @@
+# PR Review Guidelines for Cursor Bot
+
+You are reviewing a pull request for the Sentry JavaScript SDK.
+Flag any of the following indicators or missing requirements.
+If you find anything to flag, mention that you flagged this in the review because it was mentioned in this rules file.
+These issues are only relevant for production code.
+Do not flag the issues below if they appear in tests.
+
+## Critical Issues to Flag
+
+### Security Vulnerabilities
+
+- Exposed secrets, API keys, tokens or creentials in code or comments
+- Unsafe use of `eval()`, `Function()`, or `innerHTML`
+- Unsafe regular expressions that could cause ReDoS attacks
+
+### Breaking Changes
+
+- Public API changes without proper deprecation notices
+- Removal of publicly exported functions, classes, or types. Internal removals are fine!
+- Changes to function signatures in public APIs
+
+## SDK-relevant issues
+
+### Performance Issues
+
+- Multiple loops over the same array (for example, using `.filter`, .`foreach`, chained). Suggest a classic `for` loop as a replacement.
+- Memory leaks from event listeners, timers, or closures not being cleaned up or unsubscribing
+- Large bundle size increases in browser packages. Sometimes they're unavoidable but flag them anyway.
+
+### Auto instrumentation, SDK integrations, Sentry-specific conventions
+
+- When calling any `startSpan` API (`startInactiveSpan`, `startSpanManual`, etc), always ensure that the following span attributes are set:
+ - `SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN` (`'sentry.origin'`) with a proper span origin
+ - `SEMANTIC_ATTRIBUTE_SENTRY_OP` (`'sentry.op'`) with a proper span op
+- When calling `captureException`, always make sure that the `mechanism` is set:
+ - `handled`: must be set to `true` or `false`
+ - `type`: must be set to a proper origin (i.e. identify the integration and part in the integration that caught the exception).
+ - The type should align with the `SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN` if a span wraps the `captureException` call.
+ - If there's no direct span that's wrapping the captured exception, apply a proper `type` value, following the same naming
+ convention as the `SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN` value.
+- When calling `startSpan`, check if error cases are handled. If flag that it might make sense to try/catch and call `captureException`.
diff --git a/CHANGELOG.md b/CHANGELOG.md
index 41853c372711..f56fe6262be4 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -4,6 +4,67 @@
- "You miss 100 percent of the chances you don't take. — Wayne Gretzky" — Michael Scott
+## 10.2.0
+
+### Important Changes
+
+- **feat(core): Add `ignoreSpans` option ([#17078](https://github.com/getsentry/sentry-javascript/pull/17078))**
+
+This release adds a new top-level `Sentry.init` option, `ignoreSpans`, that can be used as follows:
+
+```js
+Sentry.init({
+ ignoreSpans: [
+ 'partial match', // string matching on the span name
+ /regex/, // regex matching on the span name
+ {
+ name: 'span name',
+ op: /http.client/,
+ },
+ ],
+});
+```
+
+Spans matching the filter criteria will not be recorded. Potential child spans of filtered spans will be re-parented, if possible.
+
+- **feat(cloudflare,vercel-edge): Add support for OpenAI instrumentation ([#17338](https://github.com/getsentry/sentry-javascript/pull/17338))**
+
+Adds support for OpenAI manual instrumentation in `@sentry/cloudflare` and `@sentry/vercel-edge`.
+
+To instrument the OpenAI client, wrap it with `Sentry.instrumentOpenAiClient` and set recording settings.
+
+```js
+import * as Sentry from '@sentry/cloudflare';
+import OpenAI from 'openai';
+
+const openai = new OpenAI();
+const client = Sentry.instrumentOpenAiClient(openai, { recordInputs: true, recordOutputs: true });
+
+// use the wrapped client
+```
+
+- **ref(aws): Remove manual span creation ([#17310](https://github.com/getsentry/sentry-javascript/pull/17310))**
+
+The `startTrace` option is deprecated and will be removed in a future major version. If you want to disable tracing, set `SENTRY_TRACES_SAMPLE_RATE` to `0.0`. instead. As of today, the flag does not affect traces anymore.
+
+### Other Changes
+
+- feat(astro): Streamline build logs ([#17301](https://github.com/getsentry/sentry-javascript/pull/17301))
+- feat(browser): Handles data URIs in chrome stack frames ([#17292](https://github.com/getsentry/sentry-javascript/pull/17292))
+- feat(core): Accumulate tokens for `gen_ai.invoke_agent` spans from child LLM calls ([#17281](https://github.com/getsentry/sentry-javascript/pull/17281))
+- feat(deps): Bump @prisma/instrumentation from 6.12.0 to 6.13.0 ([#17315](https://github.com/getsentry/sentry-javascript/pull/17315))
+- feat(deps): Bump @sentry/cli from 2.50.0 to 2.50.2 ([#17316](https://github.com/getsentry/sentry-javascript/pull/17316))
+- feat(deps): Bump @sentry/rollup-plugin from 4.0.0 to 4.0.2 ([#17317](https://github.com/getsentry/sentry-javascript/pull/17317))
+- feat(deps): Bump @sentry/webpack-plugin from 4.0.0 to 4.0.2 ([#17314](https://github.com/getsentry/sentry-javascript/pull/17314))
+- feat(nuxt): Do not inject trace meta-tags on cached HTML pages ([#17305](https://github.com/getsentry/sentry-javascript/pull/17305))
+- feat(nuxt): Streamline build logs ([#17308](https://github.com/getsentry/sentry-javascript/pull/17308))
+- feat(react-router): Add support for Hydrogen with RR7 ([#17145](https://github.com/getsentry/sentry-javascript/pull/17145))
+- feat(react-router): Streamline build logs ([#17303](https://github.com/getsentry/sentry-javascript/pull/17303))
+- feat(solidstart): Streamline build logs ([#17304](https://github.com/getsentry/sentry-javascript/pull/17304))
+- fix(nestjs): Add missing `sentry.origin` span attribute to `SentryTraced` decorator ([#17318](https://github.com/getsentry/sentry-javascript/pull/17318))
+- fix(node): Assign default export of `openai` to the instrumented fn ([#17320](https://github.com/getsentry/sentry-javascript/pull/17320))
+- fix(replay): Call `sendBufferedReplayOrFlush` when opening/sending feedback ([#17236](https://github.com/getsentry/sentry-javascript/pull/17236))
+
## 10.1.0
- feat(nuxt): Align build-time options to follow bundler plugins structure ([#17255](https://github.com/getsentry/sentry-javascript/pull/17255))
@@ -77,6 +138,91 @@ A comprehensive migration guide outlining all changes can be found within the Se
Work in this release was contributed by @richardjelinek-fastest. Thank you for your contribution!
+## 9.44.2
+
+This release is publishing the AWS Lambda Layer under `SentryNodeServerlessSDKv9`. The previous release `9.44.1` accidentally published the layer under `SentryNodeServerlessSDKv10`.
+
+## 9.44.1
+
+- fix(replay/v9): Call sendBufferedReplayOrFlush when opening/sending feedback ([#17270](https://github.com/getsentry/sentry-javascript/pull/17270))
+
+## 9.44.0
+
+- feat(replay/v9): Deprecate `_experiments.autoFlushOnFeedback` ([#17219](https://github.com/getsentry/sentry-javascript/pull/17219))
+- feat(v9/core): Add shared `flushIfServerless` function ([#17239](https://github.com/getsentry/sentry-javascript/pull/17239))
+- feat(v9/node-native): Upgrade `@sentry-internal/node-native-stacktrace` to `0.2.2` ([#17256](https://github.com/getsentry/sentry-javascript/pull/17256))
+- feat(v9/react-router): Add `createSentryHandleError` ([#17244](https://github.com/getsentry/sentry-javascript/pull/17244))
+- feat(v9/react-router): Automatically flush on serverless for loaders/actions ([#17243](https://github.com/getsentry/sentry-javascript/pull/17243))
+- feat(v9/react-router): Automatically flush on serverless for request handler ([#17242](https://github.com/getsentry/sentry-javascript/pull/17242))
+- fix(v9/astro): Construct parametrized route during runtime ([#17227](https://github.com/getsentry/sentry-javascript/pull/17227))
+- fix(v9/nextjs): Flush in route handlers ([#17245](https://github.com/getsentry/sentry-javascript/pull/17245))
+- fix(v9/node): Fix exports for openai instrumentation ([#17238](https://github.com/getsentry/sentry-javascript/pull/17238)) (#17241)
+
+## 9.43.0
+
+- feat(v9/core): add MCP server instrumentation ([#17196](https://github.com/getsentry/sentry-javascript/pull/17196))
+- feat(v9/meta): Unify detection of serverless environments and add Cloud Run ([#17204](https://github.com/getsentry/sentry-javascript/pull/17204))
+- fix(v9/node): Add mechanism to `fastifyIntegration` error handler ([#17211](https://github.com/getsentry/sentry-javascript/pull/17211))
+- fix(v9/replay): Fix re-sampled sessions after a click ([#17195](https://github.com/getsentry/sentry-javascript/pull/17195))
+
+## 9.42.1
+
+- fix(v9/astro): Revert Astro v5 storing route data to `globalThis` ([#17185](https://github.com/getsentry/sentry-javascript/pull/17185))
+- fix(v9/cloudflare): Avoid turning DurableObject sync methods into async ([#17187](https://github.com/getsentry/sentry-javascript/pull/17187))
+- fix(v9/nextjs): Handle async params in url extraction ([#17176](https://github.com/getsentry/sentry-javascript/pull/17176))
+- fix(v9/sveltekit): Align error status filtering and mechanism in `handleErrorWithSentry` ([#17174](https://github.com/getsentry/sentry-javascript/pull/17174))
+
+## 9.42.0
+
+- feat(v9/aws): Detect SDK source for AWS Lambda layer ([#17150](https://github.com/getsentry/sentry-javascript/pull/17150))
+- fix(v9/core): Fix OpenAI SDK private field access by binding non-instrumented fns ([#17167](https://github.com/getsentry/sentry-javascript/pull/17167))
+- fix(v9/core): Update ai.response.object to gen_ai.response.object ([#17155](https://github.com/getsentry/sentry-javascript/pull/17155))
+- fix(v9/nextjs): Update stackframe calls for next v15.5 ([#17161](https://github.com/getsentry/sentry-javascript/pull/17161))
+
+## 9.41.0
+
+### Important Changes
+
+- **feat(v9/core): Deprecate experimental `enableLogs` and `beforeSendLog` option ([#17092](https://github.com/getsentry/sentry-javascript/pull/17092))**
+
+Sentry now has support for [structured logging](https://docs.sentry.io/product/explore/logs/getting-started/). Previously to enable structured logging, you had to use the `_experiments.enableLogs` and `_experiments.beforeSendLog` options. These options have been deprecated in favor of the top-level `enableLogs` and `beforeSendLog` options.
+
+```js
+// before
+Sentry.init({
+ _experiments: {
+ enableLogs: true,
+ beforeSendLog: log => {
+ return log;
+ },
+ },
+});
+
+// after
+Sentry.init({
+ enableLogs: true,
+ beforeSendLog: log => {
+ return log;
+ },
+});
+```
+
+- **feat(astro): Implement parameterized routes**
+ - feat(v9/astro): Parametrize dynamic server routes ([#17141](https://github.com/getsentry/sentry-javascript/pull/17141))
+ - feat(v9/astro): Parametrize routes on client-side ([#17143](https://github.com/getsentry/sentry-javascript/pull/17143))
+
+Server-side and client-side parameterized routes are now supported in the Astro SDK. No configuration changes are required.
+
+### Other Changes
+
+- feat(v9/node): Add shouldHandleError option to fastifyIntegration ([#17123](https://github.com/getsentry/sentry-javascript/pull/17123))
+- fix(v9/cloudflare) Allow non UUID workflow instance IDs ([#17135](https://github.com/getsentry/sentry-javascript/pull/17135))
+- fix(v9/node): Ensure tool errors for `vercelAiIntegration` have correct trace ([#17142](https://github.com/getsentry/sentry-javascript/pull/17142))
+- fix(v9/remix): Ensure source maps upload fails silently if Sentry CLI fails ([#17095](https://github.com/getsentry/sentry-javascript/pull/17095))
+- fix(v9/svelte): Do not insert preprocess code in script module in Svelte 5 ([#17124](https://github.com/getsentry/sentry-javascript/pull/17124))
+
+Work in this release was contributed by @richardjelinek-fastest. Thank you for your contribution!
+
## 9.40.0
### Important Changes
@@ -1414,3078 +1560,9 @@ This release does not yet entail a comprehensive changelog as version 9 is not y
For this release's iteration of the migration guide, see the [Migration Guide as per `9.0.0-alpha.0`](https://github.com/getsentry/sentry-javascript/blob/6e4b593adcc4ce951afa8ae0cda0605ecd226cda/docs/migration/v8-to-v9.md).
Please note that the migration guide is work in progress and subject to change.
-## 8.54.0
-
-- feat(v8/deps): Upgrade all OpenTelemetry dependencies ([#15098](https://github.com/getsentry/sentry-javascript/pull/15098))
-- fix(node/v8): Add compatibility layer for Prisma v5 ([#15210](https://github.com/getsentry/sentry-javascript/pull/15210))
-
-Work in this release was contributed by @nwalters512. Thank you for your contribution!
-
-## 8.53.0
-
-- feat(v8/nuxt): Add `url` to `SourcemapsUploadOptions` (#15202)
-- fix(v8/react): `fromLocation` can be undefined in Tanstack Router Instrumentation (#15237)
-
-Work in this release was contributed by @tannerlinsley. Thank you for your contribution!
-
-## 8.52.1
-
-- fix(v8/nextjs): Fix nextjs build warning (#15226)
-- ref(v8/browser): Add protocol attributes to resource spans #15224
-- ref(v8/core): Don't set `this.name` to `new.target.prototype.constructor.name` (#15222)
-
-Work in this release was contributed by @Zen-cronic. Thank you for your contribution!
-
-## 8.52.0
-
-### Important Changes
-
-- **feat(solidstart): Add `withSentry` wrapper for SolidStart config ([#15135](https://github.com/getsentry/sentry-javascript/pull/15135))**
-
-To enable the SolidStart SDK, wrap your SolidStart Config with `withSentry`. The `sentrySolidStartVite` plugin is now automatically
-added by `withSentry` and you can pass the Sentry build-time options like this:
-
-```js
-import { defineConfig } from '@solidjs/start/config';
-import { withSentry } from '@sentry/solidstart';
-
-export default defineConfig(
- withSentry(
- {
- /* Your SolidStart config options... */
- },
- {
- // Options for setting up source maps
- org: process.env.SENTRY_ORG,
- project: process.env.SENTRY_PROJECT,
- authToken: process.env.SENTRY_AUTH_TOKEN,
- },
- ),
-);
-```
-
-With the `withSentry` wrapper, the Sentry server config should not be added to the `public` directory anymore.
-Add the Sentry server config in `src/instrument.server.ts`. Then, the server config will be placed inside the server build output as `instrument.server.mjs`.
-
-Now, there are two options to set up the SDK:
-
-1. **(recommended)** Provide an `--import` CLI flag to the start command like this (path depends on your server setup):
- `node --import ./.output/server/instrument.server.mjs .output/server/index.mjs`
-2. Add `autoInjectServerSentry: 'top-level-import'` and the Sentry config will be imported at the top of the server entry (comes with tracing limitations)
- ```js
- withSentry(
- {
- /* Your SolidStart config options... */
- },
- {
- // Optional: Install Sentry with a top-level import
- autoInjectServerSentry: 'top-level-import',
- },
- );
- ```
-
-### Other Changes
-
-- feat(v8/core): Add client outcomes for breadcrumbs buffer ([#15149](https://github.com/getsentry/sentry-javascript/pull/15149))
-- feat(v8/core): Improve error formatting in ZodErrors integration ([#15155](https://github.com/getsentry/sentry-javascript/pull/15155))
-- fix(v8/bun): Ensure instrumentation of `Bun.serve` survives a server reload ([#15157](https://github.com/getsentry/sentry-javascript/pull/15157))
-- fix(v8/core): Pass `module` into `loadModule` ([#15139](https://github.com/getsentry/sentry-javascript/pull/15139)) (#15166)
-
-Work in this release was contributed by @jahands, @jrandolf, and @nathankleyn. Thank you for your contributions!
-
-## 8.51.0
-
-### Important Changes
-
-- **feat(v8/node): Add `prismaInstrumentation` option to Prisma integration as escape hatch for all Prisma versions ([#15128](https://github.com/getsentry/sentry-javascript/pull/15128))**
-
- This release adds a compatibility API to add support for Prisma version 6.
- To capture performance data for Prisma version 6:
-
- 1. Install the `@prisma/instrumentation` package on version 6.
- 1. Pass a `new PrismaInstrumentation()` instance as exported from `@prisma/instrumentation` to the `prismaInstrumentation` option:
-
- ```js
- import { PrismaInstrumentation } from '@prisma/instrumentation';
-
- Sentry.init({
- integrations: [
- prismaIntegration({
- // Override the default instrumentation that Sentry uses
- prismaInstrumentation: new PrismaInstrumentation(),
- }),
- ],
- });
- ```
-
- The passed instrumentation instance will override the default instrumentation instance the integration would use, while the `prismaIntegration` will still ensure data compatibility for the various Prisma versions.
-
- 1. Remove the `previewFeatures = ["tracing"]` option from the client generator block of your Prisma schema.
-
-### Other Changes
-
-- feat(v8/browser): Add `multiplexedtransport.js` CDN bundle ([#15046](https://github.com/getsentry/sentry-javascript/pull/15046))
-- feat(v8/browser): Add Unleash integration ([#14948](https://github.com/getsentry/sentry-javascript/pull/14948))
-- feat(v8/deno): Deprecate Deno SDK as published on deno.land ([#15121](https://github.com/getsentry/sentry-javascript/pull/15121))
-- feat(v8/sveltekit): Deprecate `fetchProxyScriptNonce` option ([#15011](https://github.com/getsentry/sentry-javascript/pull/15011))
-- fix(v8/aws-lambda): Avoid overwriting root span name ([#15054](https://github.com/getsentry/sentry-javascript/pull/15054))
-- fix(v8/core): `fatal` events should set session as crashed ([#15073](https://github.com/getsentry/sentry-javascript/pull/15073))
-- fix(v8/node/nestjs): Use method on current fastify request ([#15104](https://github.com/getsentry/sentry-javascript/pull/15104))
-
-Work in this release was contributed by @tjhiggins, and @nwalters512. Thank you for your contributions!
-
-## 8.50.0
-
-- feat(v8/react): Add support for React Router `createMemoryRouter` ([#14985](https://github.com/getsentry/sentry-javascript/pull/14985))
-
-## 8.49.0
-
-- feat(v8/browser): Flush offline queue on flush and browser online event ([#14969](https://github.com/getsentry/sentry-javascript/pull/14969))
-- feat(v8/react): Add a `handled` prop to ErrorBoundary ([#14978](https://github.com/getsentry/sentry-javascript/pull/14978))
-- fix(profiling/v8): Don't put `require`, `__filename` and `__dirname` on global object ([#14952](https://github.com/getsentry/sentry-javascript/pull/14952))
-- fix(v8/node): Enforce that ContextLines integration does not leave open file handles ([#14997](https://github.com/getsentry/sentry-javascript/pull/14997))
-- fix(v8/replay): Disable mousemove sampling in rrweb for iOS browsers ([#14944](https://github.com/getsentry/sentry-javascript/pull/14944))
-- fix(v8/sveltekit): Ensure source maps deletion is called after source ma… ([#14963](https://github.com/getsentry/sentry-javascript/pull/14963))
-- fix(v8/vue): Re-throw error when no errorHandler exists ([#14943](https://github.com/getsentry/sentry-javascript/pull/14943))
-
-Work in this release was contributed by @HHK1 and @mstrokin. Thank you for your contributions!
-
-## 8.48.0
-
-### Deprecations
-
-- **feat(v8/core): Deprecate `getDomElement` method ([#14799](https://github.com/getsentry/sentry-javascript/pull/14799))**
-
- Deprecates `getDomElement`. There is no replacement.
-
-### Other changes
-
-- fix(nestjs/v8): Use correct main/module path in package.json ([#14791](https://github.com/getsentry/sentry-javascript/pull/14791))
-- fix(v8/core): Use consistent `continueTrace` implementation in core ([#14819](https://github.com/getsentry/sentry-javascript/pull/14819))
-- fix(v8/node): Correctly resolve debug IDs for ANR events with custom appRoot ([#14823](https://github.com/getsentry/sentry-javascript/pull/14823))
-- fix(v8/node): Ensure `NODE_OPTIONS` is not passed to worker threads ([#14825](https://github.com/getsentry/sentry-javascript/pull/14825))
-- fix(v8/angular): Fall back to element `tagName` when name is not provided to `TraceDirective` ([#14828](https://github.com/getsentry/sentry-javascript/pull/14828))
-- fix(aws-lambda): Remove version suffix from lambda layer ([#14843](https://github.com/getsentry/sentry-javascript/pull/14843))
-- fix(v8/node): Ensure express requests are properly handled ([#14851](https://github.com/getsentry/sentry-javascript/pull/14851))
-- feat(v8/node): Add `openTelemetrySpanProcessors` option ([#14853](https://github.com/getsentry/sentry-javascript/pull/14853))
-- fix(v8/react): Use `Set` as the `allRoutes` container. ([#14878](https://github.com/getsentry/sentry-javascript/pull/14878)) (#14884)
-- fix(v8/react): Improve handling of routes nested under path="/" ([#14897](https://github.com/getsentry/sentry-javascript/pull/14897))
-- feat(v8/core): Add `normalizedRequest` to `samplingContext` ([#14903](https://github.com/getsentry/sentry-javascript/pull/14903))
-- fix(v8/feedback): Avoid lazy loading code for `syncFeedbackIntegration` ([#14918](https://github.com/getsentry/sentry-javascript/pull/14918))
-
-Work in this release was contributed by @arturovt. Thank you for your contribution!
-
-## 8.47.0
-
-- feat(v8/core): Add `updateSpanName` helper function (#14736)
-- feat(v8/node): Do not overwrite prisma `db.system` in newer Prisma versions (#14772)
-- feat(v8/node/deps): Bump @prisma/instrumentation from 5.19.1 to 5.22.0 (#14755)
-- feat(v8/replay): Mask srcdoc iframe contents per default (#14779)
-- ref(v8/nextjs): Fix typo in source maps deletion warning (#14776)
-
-Work in this release was contributed by @aloisklink and @benjick. Thank you for your contributions!
-
-## 8.46.0
-
-- feat: Allow capture of more than 1 ANR event [v8] ([#14713](https://github.com/getsentry/sentry-javascript/pull/14713))
-- feat(node): Detect Railway release name [v8] ([#14714](https://github.com/getsentry/sentry-javascript/pull/14714))
-- fix: Normalise ANR debug image file paths if appRoot was supplied [v8] ([#14709](https://github.com/getsentry/sentry-javascript/pull/14709))
-- fix(nuxt): Remove build config from tsconfig ([#14737](https://github.com/getsentry/sentry-javascript/pull/14737))
-
-Work in this release was contributed by @conor-ob. Thank you for your contribution!
-
-## 8.45.1
-
-- fix(feedback): Return when the `sendFeedback` promise resolves ([#14683](https://github.com/getsentry/sentry-javascript/pull/14683))
-
-Work in this release was contributed by @antonis. Thank you for your contribution!
-
-## 8.45.0
-
-- feat(core): Add `handled` option to `captureConsoleIntegration` ([#14664](https://github.com/getsentry/sentry-javascript/pull/14664))
-- feat(browser): Attach virtual stack traces to `HttpClient` events ([#14515](https://github.com/getsentry/sentry-javascript/pull/14515))
-- feat(replay): Upgrade rrweb packages to 2.31.0 ([#14689](https://github.com/getsentry/sentry-javascript/pull/14689))
-- fix(aws-serverless): Remove v8 layer as it overwrites the current layer for docs ([#14679](https://github.com/getsentry/sentry-javascript/pull/14679))
-- fix(browser): Mark stack trace from `captureMessage` with `attachStacktrace: true` as synthetic ([#14668](https://github.com/getsentry/sentry-javascript/pull/14668))
-- fix(core): Mark stack trace from `captureMessage` with `attatchStackTrace: true` as synthetic ([#14670](https://github.com/getsentry/sentry-javascript/pull/14670))
-- fix(core): Set `level` in server runtime `captureException` ([#10587](https://github.com/getsentry/sentry-javascript/pull/10587))
-- fix(profiling-node): Guard invocation of native profiling methods ([#14676](https://github.com/getsentry/sentry-javascript/pull/14676))
-- fix(nuxt): Inline nitro-utils function ([#14680](https://github.com/getsentry/sentry-javascript/pull/14680))
-- fix(profiling-node): Ensure profileId is added to transaction event ([#14681](https://github.com/getsentry/sentry-javascript/pull/14681))
-- fix(react): Add React Router Descendant Routes support ([#14304](https://github.com/getsentry/sentry-javascript/pull/14304))
-- fix: Disable ANR and Local Variables if debugger is enabled via CLI args ([#14643](https://github.com/getsentry/sentry-javascript/pull/14643))
-
-Work in this release was contributed by @anonrig and @Zih0. Thank you for your contributions!
-
-## 8.44.0
-
-### Deprecations
-
-- **feat: Deprecate `autoSessionTracking` ([#14640](https://github.com/getsentry/sentry-javascript/pull/14640))**
-
- Deprecates `autoSessionTracking`.
- To enable session tracking, it is recommended to unset `autoSessionTracking` and ensure that either, in browser environments
- the `browserSessionIntegration` is added, or in server environments the `httpIntegration` is added.
-
- To disable session tracking, it is recommended to unset `autoSessionTracking` and to remove the `browserSessionIntegration` in
- browser environments, or in server environments configure the `httpIntegration` with the `trackIncomingRequestsAsSessions` option set to `false`.
-
-### Other Changes
-
-- feat: Reword log message around unsent spans ([#14641](https://github.com/getsentry/sentry-javascript/pull/14641))
-- feat(opentelemetry): Set `response` context for http.server spans ([#14634](https://github.com/getsentry/sentry-javascript/pull/14634))
-- fix(google-cloud-serverless): Update homepage link in package.json ([#14411](https://github.com/getsentry/sentry-javascript/pull/14411))
-- fix(nuxt): Add unbuild config to not fail on warn ([#14662](https://github.com/getsentry/sentry-javascript/pull/14662))
-
-Work in this release was contributed by @robinvw1. Thank you for your contribution!
-
-## 8.43.0
-
-### Important Changes
-
-- **feat(nuxt): Add option autoInjectServerSentry (no default import()) ([#14553](https://github.com/getsentry/sentry-javascript/pull/14553))**
-
- Using the dynamic `import()` as the default behavior for initializing the SDK on the server-side did not work for every project.
- The default behavior of the SDK has been changed, and you now need to **use the `--import` flag to initialize Sentry on the server-side** to leverage full functionality.
-
- Example with `--import`:
-
- ```bash
- node --import ./.output/server/sentry.server.config.mjs .output/server/index.mjs
- ```
-
- In case you are not able to use the `--import` flag, you can enable auto-injecting Sentry in the `nuxt.config.ts` (comes with limitations):
-
- ```ts
- sentry: {
- autoInjectServerSentry: 'top-level-import', // or 'experimental_dynamic-import'
- },
- ```
-
-- **feat(browser): Adds LaunchDarkly and OpenFeature integrations ([#14207](https://github.com/getsentry/sentry-javascript/pull/14207))**
-
- Adds browser SDK integrations for tracking feature flag evaluations through the LaunchDarkly JS SDK and OpenFeature Web SDK:
-
- ```ts
- import * as Sentry from '@sentry/browser';
-
- Sentry.init({
- integrations: [
- // Track LaunchDarkly feature flags
- Sentry.launchDarklyIntegration(),
- // Track OpenFeature feature flags
- Sentry.openFeatureIntegration(),
- ],
- });
- ```
-
- - Read more about the [Feature Flags](https://develop.sentry.dev/sdk/expected-features/#feature-flags) feature in Sentry.
- - Read more about the [LaunchDarkly SDK Integration](https://docs.sentry.io/platforms/javascript/configuration/integrations/launchdarkly/).
- - Read more about the [OpenFeature SDK Integration](https://docs.sentry.io/platforms/javascript/configuration/integrations/openfeature/).
-
-- **feat(browser): Add `featureFlagsIntegration` for custom tracking of flag evaluations ([#14582](https://github.com/getsentry/sentry-javascript/pull/14582))**
-
- Adds a browser integration to manually track feature flags with an API. Feature flags are attached to subsequent error events:
-
- ```ts
- import * as Sentry from '@sentry/browser';
-
- const featureFlagsIntegrationInstance = Sentry.featureFlagsIntegration();
-
- Sentry.init({
- // Initialize the SDK with the feature flag integration
- integrations: [featureFlagsIntegrationInstance],
- });
-
- // Manually track a feature flag
- featureFlagsIntegrationInstance.addFeatureFlag('my-feature', true);
- ```
-
-- **feat(astro): Add Astro 5 support ([#14613](https://github.com/getsentry/sentry-javascript/pull/14613))**
-
- With this release, the Sentry Astro SDK officially supports Astro 5.
-
-### Deprecations
-
-- feat(nextjs): Deprecate typedef for `hideSourceMaps` ([#14594](https://github.com/getsentry/sentry-javascript/pull/14594))
-
- The functionality of `hideSourceMaps` was removed in version 8 but was forgotten to be deprecated and removed.
- It will be completely removed in the next major version.
-
-- feat(core): Deprecate APIs around `RequestSession`s ([#14566](https://github.com/getsentry/sentry-javascript/pull/14566))
-
- The APIs around `RequestSession`s are mostly used internally.
- Going forward the SDK will not expose concepts around `RequestSession`s.
- Instead, functionality around server-side [Release Health](https://docs.sentry.io/product/releases/health/) will be managed in integrations.
-
-### Other Changes
-
-- feat(browser): Add `browserSessionIntegration` ([#14551](https://github.com/getsentry/sentry-javascript/pull/14551))
-- feat(core): Add `raw_security` envelope types ([#14562](https://github.com/getsentry/sentry-javascript/pull/14562))
-- feat(deps): Bump @opentelemetry/instrumentation from 0.55.0 to 0.56.0 ([#14625](https://github.com/getsentry/sentry-javascript/pull/14625))
-- feat(deps): Bump @sentry/cli from 2.38.2 to 2.39.1 ([#14626](https://github.com/getsentry/sentry-javascript/pull/14626))
-- feat(deps): Bump @sentry/rollup-plugin from 2.22.6 to 2.22.7 ([#14622](https://github.com/getsentry/sentry-javascript/pull/14622))
-- feat(deps): Bump @sentry/webpack-plugin from 2.22.6 to 2.22.7 ([#14623](https://github.com/getsentry/sentry-javascript/pull/14623))
-- feat(nestjs): Add fastify support ([#14549](https://github.com/getsentry/sentry-javascript/pull/14549))
-- feat(node): Add @vercel/ai instrumentation ([#13892](https://github.com/getsentry/sentry-javascript/pull/13892))
-- feat(node): Add `disableAnrDetectionForCallback` function ([#14359](https://github.com/getsentry/sentry-javascript/pull/14359))
-- feat(node): Add `trackIncomingRequestsAsSessions` option to http integration ([#14567](https://github.com/getsentry/sentry-javascript/pull/14567))
-- feat(nuxt): Add option `autoInjectServerSentry` (no default `import()`) ([#14553](https://github.com/getsentry/sentry-javascript/pull/14553))
-- feat(nuxt): Add warning when Netlify or Vercel build is discovered ([#13868](https://github.com/getsentry/sentry-javascript/pull/13868))
-- feat(nuxt): Improve serverless event flushing and scope isolation ([#14605](https://github.com/getsentry/sentry-javascript/pull/14605))
-- feat(opentelemetry): Stop looking at propagation context for span creation ([#14481](https://github.com/getsentry/sentry-javascript/pull/14481))
-- feat(opentelemetry): Update OpenTelemetry dependencies to `^1.29.0` ([#14590](https://github.com/getsentry/sentry-javascript/pull/14590))
-- feat(opentelemetry): Update OpenTelemetry dependencies to `1.28.0` ([#14547](https://github.com/getsentry/sentry-javascript/pull/14547))
-- feat(replay): Upgrade rrweb packages to 2.30.0 ([#14597](https://github.com/getsentry/sentry-javascript/pull/14597))
-- fix(core): Decode `filename` and `module` stack frame properties in Node stack parser ([#14544](https://github.com/getsentry/sentry-javascript/pull/14544))
-- fix(core): Filter out unactionable CEFSharp promise rejection error by default ([#14595](https://github.com/getsentry/sentry-javascript/pull/14595))
-- fix(nextjs): Don't show warning about devtool option ([#14552](https://github.com/getsentry/sentry-javascript/pull/14552))
-- fix(nextjs): Only apply tracing metadata to data fetcher data when data is an object ([#14575](https://github.com/getsentry/sentry-javascript/pull/14575))
-- fix(node): Guard against invalid `maxSpanWaitDuration` values ([#14632](https://github.com/getsentry/sentry-javascript/pull/14632))
-- fix(react): Match routes with `parseSearch` option in TanStack Router instrumentation ([#14328](https://github.com/getsentry/sentry-javascript/pull/14328))
-- fix(sveltekit): Fix git SHA not being picked up for release ([#14540](https://github.com/getsentry/sentry-javascript/pull/14540))
-- fix(types): Fix generic exports with default ([#14576](https://github.com/getsentry/sentry-javascript/pull/14576))
-
-Work in this release was contributed by @lsmurray. Thank you for your contribution!
-
-## 8.42.0
-
-### Important Changes
-
-- **feat(react): React Router v7 support (library) ([#14513](https://github.com/getsentry/sentry-javascript/pull/14513))**
-
- This release adds support for [React Router v7 (library mode)](https://reactrouter.com/home#react-router-as-a-library).
- Check out the docs on how to set up the integration: [Sentry React Router v7 Integration Docs](https://docs.sentry.io/platforms/javascript/guides/react/features/react-router/v7/)
-
-### Deprecations
-
-- **feat: Warn about source-map generation ([#14533](https://github.com/getsentry/sentry-javascript/pull/14533))**
-
- In the next major version of the SDK we will change how source maps are generated when the SDK is added to an application.
- Currently, the implementation varies a lot between different SDKs and can be difficult to understand.
- Moving forward, our goal is to turn on source maps for every framework, unless we detect that they are explicitly turned off.
- Additionally, if we end up enabling source maps, we will emit a log message that we did so.
-
- With this particular release, we are emitting warnings that source map generation will change in the future and we print instructions on how to prepare for the next major.
-
-- **feat(nuxt): Deprecate `tracingOptions` in favor of `vueIntegration` ([#14530](https://github.com/getsentry/sentry-javascript/pull/14530))**
-
- Currently it is possible to configure tracing options in two places in the Sentry Nuxt SDK:
-
- - In `Sentry.init()`
- - Inside `tracingOptions` in `Sentry.init()`
-
- For tree-shaking purposes and alignment with the Vue SDK, it is now recommended to instead use the newly exported `vueIntegration()` and its `tracingOptions` option to configure tracing options in the Nuxt SDK:
-
- ```ts
- // sentry.client.config.ts
- import * as Sentry from '@sentry/nuxt';
-
- Sentry.init({
- // ...
- integrations: [
- Sentry.vueIntegration({
- tracingOptions: {
- trackComponents: true,
- },
- }),
- ],
- });
- ```
-
-### Other Changes
-
-- feat(browser-utils): Update `web-vitals` to v4.2.4 ([#14439](https://github.com/getsentry/sentry-javascript/pull/14439))
-- feat(nuxt): Expose `vueIntegration` ([#14526](https://github.com/getsentry/sentry-javascript/pull/14526))
-- fix(feedback): Handle css correctly in screenshot mode ([#14535](https://github.com/getsentry/sentry-javascript/pull/14535))
-
-## 8.41.0
-
-### Important Changes
-
-- **meta(nuxt): Require minimum Nuxt v3.7.0 ([#14473](https://github.com/getsentry/sentry-javascript/pull/14473))**
-
- We formalized that the Nuxt SDK is at minimum compatible with Nuxt version 3.7.0 and above.
- Additionally, the SDK requires the implicit `nitropack` dependency to satisfy version `^2.10.0` and `ofetch` to satisfy `^1.4.0`.
- It is recommended to check your lock-files and manually upgrade these dependencies if they don't match the version ranges.
-
-### Deprecations
-
-We are deprecating a few APIs which will be removed in the next major.
-
-The following deprecations will _potentially_ affect you:
-
-- **feat(core): Update & deprecate `undefined` option handling ([#14450](https://github.com/getsentry/sentry-javascript/pull/14450))**
-
- In the next major version we will change how passing `undefined` to `tracesSampleRate` / `tracesSampler` / `enableTracing` will behave.
-
- Currently, doing the following:
-
- ```ts
- Sentry.init({
- tracesSampleRate: undefined,
- });
- ```
-
- Will result in tracing being _enabled_ (although no spans will be generated) because the `tracesSampleRate` key is present in the options object.
- In the next major version, this behavior will be changed so that passing `undefined` (or rather having a `tracesSampleRate` key) will result in tracing being disabled, the same as not passing the option at all.
- If you are currently relying on `undefined` being passed, and and thus have tracing enabled, it is recommended to update your config to set e.g. `tracesSampleRate: 0` instead, which will also enable tracing in v9.
-
- The same applies to `tracesSampler` and `enableTracing`.
-
-- **feat(core): Log warnings when returning `null` in `beforeSendSpan` ([#14433](https://github.com/getsentry/sentry-javascript/pull/14433))**
-
- Currently, the `beforeSendSpan` option in `Sentry.init()` allows you to drop individual spans from a trace by returning `null` from the hook.
- Since this API lends itself to creating "gaps" inside traces, we decided to change how this API will work in the next major version.
-
- With the next major version the `beforeSendSpan` API can only be used to mutate spans, but no longer to drop them.
- With this release the SDK will warn you if you are using this API to drop spans.
- Instead, it is recommended to configure instrumentation (i.e. integrations) directly to control what spans are created.
-
- Additionally, with the next major version, root spans will also be passed to `beforeSendSpan`.
-
-- **feat(utils): Deprecate `@sentry/utils` ([#14431](https://github.com/getsentry/sentry-javascript/pull/14431))**
-
- With the next major version the `@sentry/utils` package will be merged into the `@sentry/core` package.
- It is therefore no longer recommended to use the `@sentry/utils` package.
-
-- **feat(vue): Deprecate configuring Vue tracing options anywhere else other than through the `vueIntegration`'s `tracingOptions` option ([#14385](https://github.com/getsentry/sentry-javascript/pull/14385))**
-
- Currently it is possible to configure tracing options in various places in the Sentry Vue SDK:
-
- - In `Sentry.init()`
- - Inside `tracingOptions` in `Sentry.init()`
- - In the `vueIntegration()` options
- - Inside `tracingOptions` in the `vueIntegration()` options
-
- Because this is a bit messy and confusing to document, the only recommended way to configure tracing options going forward is through the `tracingOptions` in the `vueIntegration()`.
- The other means of configuration will be removed in the next major version of the SDK.
-
-- **feat: Deprecate `registerEsmLoaderHooks.include` and `registerEsmLoaderHooks.exclude` ([#14486](https://github.com/getsentry/sentry-javascript/pull/14486))**
-
- Currently it is possible to define `registerEsmLoaderHooks.include` and `registerEsmLoaderHooks.exclude` options in `Sentry.init()` to only apply ESM loader hooks to a subset of modules.
- This API served as an escape hatch in case certain modules are incompatible with ESM loader hooks.
-
- Since this API was introduced, a way was found to only wrap modules that there exists instrumentation for (meaning a vetted list).
- To only wrap modules that have instrumentation, it is recommended to instead set `registerEsmLoaderHooks.onlyIncludeInstrumentedModules` to `true`.
-
- Note that `onlyIncludeInstrumentedModules: true` will become the default behavior in the next major version and the `registerEsmLoaderHooks` will no longer accept fine-grained options.
-
-The following deprecations will _most likely_ not affect you unless you are building an SDK yourself:
-
-- feat(core): Deprecate `arrayify` ([#14405](https://github.com/getsentry/sentry-javascript/pull/14405))
-- feat(core): Deprecate `flatten` ([#14454](https://github.com/getsentry/sentry-javascript/pull/14454))
-- feat(core): Deprecate `urlEncode` ([#14406](https://github.com/getsentry/sentry-javascript/pull/14406))
-- feat(core): Deprecate `validSeverityLevels` ([#14407](https://github.com/getsentry/sentry-javascript/pull/14407))
-- feat(core/utils): Deprecate `getNumberOfUrlSegments` ([#14458](https://github.com/getsentry/sentry-javascript/pull/14458))
-- feat(utils): Deprecate `memoBuilder`, `BAGGAGE_HEADER_NAME`, and `makeFifoCache` ([#14434](https://github.com/getsentry/sentry-javascript/pull/14434))
-- feat(utils/core): Deprecate `addRequestDataToEvent` and `extractRequestData` ([#14430](https://github.com/getsentry/sentry-javascript/pull/14430))
-
-### Other Changes
-
-- feat: Streamline `sentry-trace`, `baggage` and DSC handling ([#14364](https://github.com/getsentry/sentry-javascript/pull/14364))
-- feat(core): Further optimize debug ID parsing ([#14365](https://github.com/getsentry/sentry-javascript/pull/14365))
-- feat(node): Add `openTelemetryInstrumentations` option ([#14484](https://github.com/getsentry/sentry-javascript/pull/14484))
-- feat(nuxt): Add filter for not found source maps (devtools) ([#14437](https://github.com/getsentry/sentry-javascript/pull/14437))
-- feat(nuxt): Only delete public source maps ([#14438](https://github.com/getsentry/sentry-javascript/pull/14438))
-- fix(nextjs): Don't report `NEXT_REDIRECT` from browser ([#14440](https://github.com/getsentry/sentry-javascript/pull/14440))
-- perf(opentelemetry): Bucket spans for cleanup ([#14154](https://github.com/getsentry/sentry-javascript/pull/14154))
-
-Work in this release was contributed by @NEKOYASAN and @fmorett. Thank you for your contributions!
-
-## 8.40.0
-
-### Important Changes
-
-- **feat(angular): Support Angular 19 ([#14398](https://github.com/getsentry/sentry-javascript/pull/14398))**
-
- The `@sentry/angular` SDK can now be used with Angular 19. If you're upgrading to the new Angular version, you might want to migrate from the now deprecated `APP_INITIALIZER` token to `provideAppInitializer`.
- In this case, change the Sentry `TraceService` initialization in `app.config.ts`:
-
- ```ts
- // Angular 18
- export const appConfig: ApplicationConfig = {
- providers: [
- // other providers
- {
- provide: TraceService,
- deps: [Router],
- },
- {
- provide: APP_INITIALIZER,
- useFactory: () => () => {},
- deps: [TraceService],
- multi: true,
- },
- ],
- };
-
- // Angular 19
- export const appConfig: ApplicationConfig = {
- providers: [
- // other providers
- {
- provide: TraceService,
- deps: [Router],
- },
- provideAppInitializer(() => {
- inject(TraceService);
- }),
- ],
- };
- ```
-
-- **feat(core): Deprecate `debugIntegration` and `sessionTimingIntegration` ([#14363](https://github.com/getsentry/sentry-javascript/pull/14363))**
-
- The `debugIntegration` was deprecated and will be removed in the next major version of the SDK.
- To log outgoing events, use [Hook Options](https://docs.sentry.io/platforms/javascript/configuration/options/#hooks) (`beforeSend`, `beforeSendTransaction`, ...).
-
- The `sessionTimingIntegration` was deprecated and will be removed in the next major version of the SDK.
- To capture session durations alongside events, use [Context](https://docs.sentry.io/platforms/javascript/enriching-events/context/) (`Sentry.setContext()`).
-
-- **feat(nestjs): Deprecate `@WithSentry` in favor of `@SentryExceptionCaptured` ([#14323](https://github.com/getsentry/sentry-javascript/pull/14323))**
-
- The `@WithSentry` decorator was deprecated. Use `@SentryExceptionCaptured` instead. This is a simple renaming and functionality stays identical.
-
-- **feat(nestjs): Deprecate `SentryTracingInterceptor`, `SentryService`, `SentryGlobalGenericFilter`, `SentryGlobalGraphQLFilter` ([#14371](https://github.com/getsentry/sentry-javascript/pull/14371))**
-
- The `SentryTracingInterceptor` was deprecated. If you are using `@sentry/nestjs` you can safely remove any references to the `SentryTracingInterceptor`. If you are using another package migrate to `@sentry/nestjs` and remove the `SentryTracingInterceptor` afterwards.
-
- The `SentryService` was deprecated and its functionality was added to `Sentry.init`. If you are using `@sentry/nestjs` you can safely remove any references to the `SentryService`. If you are using another package migrate to `@sentry/nestjs` and remove the `SentryService` afterwards.
-
- The `SentryGlobalGenericFilter` was deprecated. Use the `SentryGlobalFilter` instead which is a drop-in replacement.
-
- The `SentryGlobalGraphQLFilter` was deprecated. Use the `SentryGlobalFilter` instead which is a drop-in replacement.
-
-- **feat(node): Deprecate `nestIntegration` and `setupNestErrorHandler` in favor of using `@sentry/nestjs` ([#14374](https://github.com/getsentry/sentry-javascript/pull/14374))**
-
- The `nestIntegration` and `setupNestErrorHandler` functions from `@sentry/node` were deprecated and will be removed in the next major version of the SDK. If you're using `@sentry/node` in a NestJS application, we recommend switching to our new dedicated `@sentry/nestjs` package.
-
-### Other Changes
-
-- feat(browser): Send additional LCP timing info ([#14372](https://github.com/getsentry/sentry-javascript/pull/14372))
-- feat(replay): Clear event buffer when full and in buffer mode ([#14078](https://github.com/getsentry/sentry-javascript/pull/14078))
-- feat(core): Ensure `normalizedRequest` on `sdkProcessingMetadata` is merged ([#14315](https://github.com/getsentry/sentry-javascript/pull/14315))
-- feat(core): Hoist everything from `@sentry/utils` into `@sentry/core` ([#14382](https://github.com/getsentry/sentry-javascript/pull/14382))
-- fix(core): Do not throw when trying to fill readonly properties ([#14402](https://github.com/getsentry/sentry-javascript/pull/14402))
-- fix(feedback): Fix `__self` and `__source` attributes on feedback nodes ([#14356](https://github.com/getsentry/sentry-javascript/pull/14356))
-- fix(feedback): Fix non-wrapping form title ([#14355](https://github.com/getsentry/sentry-javascript/pull/14355))
-- fix(nextjs): Update check for not found navigation error ([#14378](https://github.com/getsentry/sentry-javascript/pull/14378))
-
-## 8.39.0
-
-### Important Changes
-
-- **feat(nestjs): Instrument event handlers ([#14307](https://github.com/getsentry/sentry-javascript/pull/14307))**
-
-The `@sentry/nestjs` SDK will now capture performance data for [NestJS Events (`@nestjs/event-emitter`)](https://docs.nestjs.com/techniques/events)
-
-### Other Changes
-
-- feat(nestjs): Add alias `@SentryExceptionCaptured` for `@WithSentry` ([#14322](https://github.com/getsentry/sentry-javascript/pull/14322))
-- feat(nestjs): Duplicate `SentryService` behaviour into `@sentry/nestjs` SDK `init()` ([#14321](https://github.com/getsentry/sentry-javascript/pull/14321))
-- feat(nestjs): Handle GraphQL contexts in `SentryGlobalFilter` ([#14320](https://github.com/getsentry/sentry-javascript/pull/14320))
-- feat(node): Add alias `childProcessIntegration` for `processThreadBreadcrumbIntegration` and deprecate it ([#14334](https://github.com/getsentry/sentry-javascript/pull/14334))
-- feat(node): Ensure request bodies are reliably captured for http requests ([#13746](https://github.com/getsentry/sentry-javascript/pull/13746))
-- feat(replay): Upgrade rrweb packages to 2.29.0 ([#14160](https://github.com/getsentry/sentry-javascript/pull/14160))
-- fix(cdn): Ensure `_sentryModuleMetadata` is not mangled ([#14344](https://github.com/getsentry/sentry-javascript/pull/14344))
-- fix(core): Set `sentry.source` attribute to `custom` when calling `span.updateName` on `SentrySpan` ([#14251](https://github.com/getsentry/sentry-javascript/pull/14251))
-- fix(mongo): rewrite Buffer as ? during serialization ([#14071](https://github.com/getsentry/sentry-javascript/pull/14071))
-- fix(replay): Remove replay id from DSC on expired sessions ([#14342](https://github.com/getsentry/sentry-javascript/pull/14342))
-- ref(profiling) Fix electron crash ([#14216](https://github.com/getsentry/sentry-javascript/pull/14216))
-- ref(types): Deprecate `Request` type in favor of `RequestEventData` ([#14317](https://github.com/getsentry/sentry-javascript/pull/14317))
-- ref(utils): Stop setting `transaction` in `requestDataIntegration` ([#14306](https://github.com/getsentry/sentry-javascript/pull/14306))
-- ref(vue): Reduce bundle size for starting application render span ([#14275](https://github.com/getsentry/sentry-javascript/pull/14275))
-
-## 8.38.0
-
-- docs: Improve docstrings for node otel integrations ([#14217](https://github.com/getsentry/sentry-javascript/pull/14217))
-- feat(browser): Add moduleMetadataIntegration lazy loading support ([#13817](https://github.com/getsentry/sentry-javascript/pull/13817))
-- feat(core): Add trpc path to context in trpcMiddleware ([#14218](https://github.com/getsentry/sentry-javascript/pull/14218))
-- feat(deps): Bump @opentelemetry/instrumentation-amqplib from 0.42.0 to 0.43.0 ([#14230](https://github.com/getsentry/sentry-javascript/pull/14230))
-- feat(deps): Bump @sentry/cli from 2.37.0 to 2.38.2 ([#14232](https://github.com/getsentry/sentry-javascript/pull/14232))
-- feat(node): Add `knex` integration ([#13526](https://github.com/getsentry/sentry-javascript/pull/13526))
-- feat(node): Add `tedious` integration ([#13486](https://github.com/getsentry/sentry-javascript/pull/13486))
-- feat(utils): Single implementation to fetch debug ids ([#14199](https://github.com/getsentry/sentry-javascript/pull/14199))
-- fix(browser): Avoid recording long animation frame spans starting before their parent span ([#14186](https://github.com/getsentry/sentry-javascript/pull/14186))
-- fix(node): Include `debug_meta` with ANR events ([#14203](https://github.com/getsentry/sentry-javascript/pull/14203))
-- fix(nuxt): Fix dynamic import rollup plugin to work with latest nitro ([#14243](https://github.com/getsentry/sentry-javascript/pull/14243))
-- fix(react): Support wildcard routes on React Router 6 ([#14205](https://github.com/getsentry/sentry-javascript/pull/14205))
-- fix(spotlight): Export spotlightBrowserIntegration from the main browser package ([#14208](https://github.com/getsentry/sentry-javascript/pull/14208))
-- ref(browser): Ensure start time of interaction root and child span is aligned ([#14188](https://github.com/getsentry/sentry-javascript/pull/14188))
-- ref(nextjs): Make build-time value injection turbopack compatible ([#14081](https://github.com/getsentry/sentry-javascript/pull/14081))
-
-Work in this release was contributed by @grahamhency, @Zen-cronic, @gilisho and @phuctm97. Thank you for your contributions!
-
-## 8.37.1
-
-- feat(deps): Bump @opentelemetry/instrumentation from 0.53.0 to 0.54.0 for @sentry/opentelemetry ([#14187](https://github.com/getsentry/sentry-javascript/pull/14187))
-
-## 8.37.0
-
-### Important Changes
-
-- **feat(nuxt): Add `piniaIntegration` ([#14138](https://github.com/getsentry/sentry-javascript/pull/14138))**
-
-The Nuxt SDK now allows you to track Pinia state for captured errors. To enable the Pinia plugin, add the `piniaIntegration` to your client config:
-
-```ts
-// sentry.client.config.ts
-import { usePinia } from '#imports';
-
-Sentry.init({
- integrations: [
- Sentry.piniaIntegration(usePinia(), {
- /* optional Pinia plugin options */
- }),
- ],
-});
-```
-
-- **feat: Deprecate metrics API ([#14157](https://github.com/getsentry/sentry-javascript/pull/14157))**
-
-The Sentry Metrics beta has ended in favour of revisiting metrics in another form at a later date.
-
-This new approach will include different APIs, making the current metrics API unnecessary. This release
-deprecates the metrics API with the plan to remove in the next SDK major version. If you currently use the
-metrics API in your code, you can safely continue to do so but sent data will no longer be processed by Sentry.
-
-[Learn more](https://sentry.zendesk.com/hc/en-us/articles/26369339769883-Metrics-Beta-Ended-on-October-7th) about the end of the Metrics beta.
-
-### Other Changes
-
-- feat(browser): Add `http.response_delivery_type` attribute to resource spans ([#14056](https://github.com/getsentry/sentry-javascript/pull/14056))
-- feat(browser): Add `skipBrowserExtensionCheck` escape hatch option ([#14147](https://github.com/getsentry/sentry-javascript/pull/14147))
-- feat(deps): Bump @opentelemetry/instrumentation from 0.53.0 to 0.54.0 ([#14174](https://github.com/getsentry/sentry-javascript/pull/14174))
-- feat(deps): Bump @opentelemetry/instrumentation-fastify from 0.40.0 to 0.41.0 ([#14175](https://github.com/getsentry/sentry-javascript/pull/14175))
-- feat(deps): Bump @opentelemetry/instrumentation-graphql from 0.43.0 to 0.44.0 ([#14173](https://github.com/getsentry/sentry-javascript/pull/14173))
-- feat(deps): Bump @opentelemetry/instrumentation-mongodb from 0.47.0 to 0.48.0 ([#14171](https://github.com/getsentry/sentry-javascript/pull/14171))
-- feat(deps): Bump @opentelemetry/propagator-aws-xray from 1.25.1 to 1.26.0 ([#14172](https://github.com/getsentry/sentry-javascript/pull/14172))
-- feat(nuxt): Add `asyncFunctionReExports` to define re-exported server functions ([#14104](https://github.com/getsentry/sentry-javascript/pull/14104))
-- feat(nuxt): Add `piniaIntegration` ([#14138](https://github.com/getsentry/sentry-javascript/pull/14138))
-- fix(browser): Avoid recording long task spans starting before their parent span ([#14183](https://github.com/getsentry/sentry-javascript/pull/14183))
-- fix(core): Ensure errors thrown in async cron jobs bubble up ([#14182](https://github.com/getsentry/sentry-javascript/pull/14182))
-- fix(core): Silently fail `maybeInstrument` ([#14140](https://github.com/getsentry/sentry-javascript/pull/14140))
-- fix(nextjs): Resolve path for dynamic webpack import ([#13751](https://github.com/getsentry/sentry-javascript/pull/13751))
-- fix(node): Make sure `modulesIntegration` does not crash esm apps ([#14169](https://github.com/getsentry/sentry-javascript/pull/14169))
-
-Work in this release was contributed by @rexxars. Thank you for your contribution!
-
-## 8.36.0
-
-### Important Changes
-
-- **feat(nextjs/vercel-edge/cloudflare): Switch to OTEL for performance monitoring ([#13889](https://github.com/getsentry/sentry-javascript/pull/13889))**
-
-With this release, the Sentry Next.js, and Cloudflare SDKs will now capture performance data based on OpenTelemetry.
-Some exceptions apply in cases where Next.js captures inaccurate data itself.
-
-NOTE: You may experience minor differences in transaction names in Sentry.
-Most importantly transactions for serverside pages router invocations will now be named `GET /[param]/my/route` instead of `/[param]/my/route`.
-This means that those transactions are now better aligned with the OpenTelemetry semantic conventions.
-
-### Other Changes
-
-- deps: Bump bundler plugins and CLI to 2.22.6 and 2.37.0 respectively ([#14050](https://github.com/getsentry/sentry-javascript/pull/14050))
-- feat(deps): bump @opentelemetry/instrumentation-aws-sdk from 0.44.0 to 0.45.0 ([#14099](https://github.com/getsentry/sentry-javascript/pull/14099))
-- feat(deps): bump @opentelemetry/instrumentation-connect from 0.39.0 to 0.40.0 ([#14101](https://github.com/getsentry/sentry-javascript/pull/14101))
-- feat(deps): bump @opentelemetry/instrumentation-express from 0.43.0 to 0.44.0 ([#14102](https://github.com/getsentry/sentry-javascript/pull/14102))
-- feat(deps): bump @opentelemetry/instrumentation-fs from 0.15.0 to 0.16.0 ([#14098](https://github.com/getsentry/sentry-javascript/pull/14098))
-- feat(deps): bump @opentelemetry/instrumentation-kafkajs from 0.3.0 to 0.4.0 ([#14100](https://github.com/getsentry/sentry-javascript/pull/14100))
-- feat(nextjs): Add method and url to route handler request data ([#14084](https://github.com/getsentry/sentry-javascript/pull/14084))
-- feat(node): Add breadcrumbs for `child_process` and `worker_thread` ([#13896](https://github.com/getsentry/sentry-javascript/pull/13896))
-- fix(core): Ensure standalone spans are not sent if SDK is disabled ([#14088](https://github.com/getsentry/sentry-javascript/pull/14088))
-- fix(nextjs): Await flush in api handlers ([#14023](https://github.com/getsentry/sentry-javascript/pull/14023))
-- fix(nextjs): Don't leak webpack types into exports ([#14116](https://github.com/getsentry/sentry-javascript/pull/14116))
-- fix(nextjs): Fix matching logic for file convention type for root level components ([#14038](https://github.com/getsentry/sentry-javascript/pull/14038))
-- fix(nextjs): Respect directives in value injection loader ([#14083](https://github.com/getsentry/sentry-javascript/pull/14083))
-- fix(nuxt): Only wrap `.mjs` entry files in rollup ([#14060](https://github.com/getsentry/sentry-javascript/pull/14060))
-- fix(nuxt): Re-export all exported bindings ([#14086](https://github.com/getsentry/sentry-javascript/pull/14086))
-- fix(nuxt): Server-side setup in readme ([#14049](https://github.com/getsentry/sentry-javascript/pull/14049))
-- fix(profiling-node): Always warn when running on incompatible major version of Node.js ([#14043](https://github.com/getsentry/sentry-javascript/pull/14043))
-- fix(replay): Fix `onError` callback ([#14002](https://github.com/getsentry/sentry-javascript/pull/14002))
-- perf(otel): Only calculate current timestamp once ([#14094](https://github.com/getsentry/sentry-javascript/pull/14094))
-- test(browser-integration): Add sentry DSN route handler by default ([#14095](https://github.com/getsentry/sentry-javascript/pull/14095))
-
-## 8.35.0
-
-### Beta release of the official Nuxt Sentry SDK
-
-This release marks the beta release of the `@sentry/nuxt` Sentry SDK. For details on how to use it, check out the
-[Sentry Nuxt SDK README](https://github.com/getsentry/sentry-javascript/tree/develop/packages/nuxt). Please reach out on
-[GitHub](https://github.com/getsentry/sentry-javascript/issues/new/choose) if you have any feedback or concerns.
-
-- **feat(nuxt): Make dynamic import() wrapping default
- ([#13958](https://github.com/getsentry/sentry-javascript/pull/13958))** (BREAKING)
-- **feat(nuxt): Add Rollup plugin to wrap server entry with `import()`
- ([#13945](https://github.com/getsentry/sentry-javascript/pull/13945))**
-
-**It is no longer required to add a Node `--import` flag. Please update your start command to avoid initializing Sentry
-twice (BREAKING CHANGE).** The SDK will now apply modifications during the build of your application to allow for
-patching of libraries during runtime. If run into issues with this change, you can disable this behavior in your
-`nuxt.config.ts` and use the `--import` flag instead:
-
-```js
-sentry: {
- dynamicImportForServerEntry: false;
-}
-```
-
-- **feat(nuxt): Respect user-provided source map generation settings
- ([#14020](https://github.com/getsentry/sentry-javascript/pull/14020))**
-
-We now require you to explicitly enable sourcemaps for the clientside so that Sentry can un-minify your errors. We made
-this change so source maps aren't accidentally leaked to the public. Enable source maps on the client as follows:
-
-```js
-export default defineNuxtConfig({
- sourcemap: {
- client: true,
- },
-});
-```
-
-- feat(nuxt): Log server instrumentation might not work in dev
- ([#14021](https://github.com/getsentry/sentry-javascript/pull/14021))
-- feat(nuxt): Add Http `responseHook` with `waitUntil`
- ([#13986](https://github.com/getsentry/sentry-javascript/pull/13986))
-
-### Important Changes
-
-- **feat(vue): Add Pinia plugin ([#13841](https://github.com/getsentry/sentry-javascript/pull/13841))**
-
-Support for [Pinia](https://pinia.vuejs.org/) is added in this release for `@sentry/vue`. To capture Pinia state data,
-add `createSentryPiniaPlugin()` to your Pinia store:
-
-```javascript
-import { createPinia } from 'pinia';
-import { createSentryPiniaPlugin } from '@sentry/vue';
-
-const pinia = createPinia();
-
-pinia.use(createSentryPiniaPlugin());
-```
-
-- **feat(node): Implement Sentry-specific http instrumentation
- ([#13763](https://github.com/getsentry/sentry-javascript/pull/13763))**
-
-This change introduces a new `SentryHttpInstrumentation` to handle non-span related HTTP instrumentation, allowing it to
-run side-by-side with OTel's `HttpInstrumentation`. This improves support for custom OTel setups and avoids conflicts
-with Sentry's instrumentation. Additionally, the `spans: false` option is reintroduced for `httpIntegration` to disable
-span emission while still allowing custom `HttpInstrumentation` instances (`httpIntegration({ spans: false })`).
-
-- **feat(core): Make stream instrumentation opt-in
- ([#13951](https://github.com/getsentry/sentry-javascript/pull/13951))**
-
-This change adds a new option `trackFetchStreamPerformance` to the browser tracing integration. Only when set to `true`,
-Sentry will instrument streams via fetch.
-
-### Other Changes
-
-- feat(node): Expose `suppressTracing` API ([#13875](https://github.com/getsentry/sentry-javascript/pull/13875))
-- feat(replay): Do not log "timeout while trying to read resp body" as exception
- ([#13965](https://github.com/getsentry/sentry-javascript/pull/13965))
-- chore(node): Bump `@opentelemetry/instrumentation-express` to `0.43.0`
- ([#13948](https://github.com/getsentry/sentry-javascript/pull/13948))
-- chore(node): Bump `@opentelemetry/instrumentation-fastify` to `0.40.0`
- ([#13983](https://github.com/getsentry/sentry-javascript/pull/13983))
-- fix: Ensure type for `init` is correct in meta frameworks
- ([#13938](https://github.com/getsentry/sentry-javascript/pull/13938))
-- fix(core): `.set` the `sentry-trace` header instead of `.append`ing in fetch instrumentation
- ([#13907](https://github.com/getsentry/sentry-javascript/pull/13907))
-- fix(module): keep version for node ESM package ([#13922](https://github.com/getsentry/sentry-javascript/pull/13922))
-- fix(node): Ensure `ignoreOutgoingRequests` of `httpIntegration` applies to breadcrumbs
- ([#13970](https://github.com/getsentry/sentry-javascript/pull/13970))
-- fix(replay): Fix onError sampling when loading an expired buffered session
- ([#13962](https://github.com/getsentry/sentry-javascript/pull/13962))
-- fix(replay): Ignore older performance entries when starting manually
- ([#13969](https://github.com/getsentry/sentry-javascript/pull/13969))
-- perf(node): Truncate breadcrumb messages created by console integration
- ([#14006](https://github.com/getsentry/sentry-javascript/pull/14006))
-
-Work in this release was contributed by @ZakrepaShe and @zhiyan114. Thank you for your contributions!
-
-## 8.34.0
-
-### Important Changes
-
-- **ref(nextjs): Remove dead code ([#13828](https://github.com/getsentry/sentry-javascript/pull/13903))**
-
-Relevant for users of the `@sentry/nextjs` package: If you have previously configured a
-`SENTRY_IGNORE_API_RESOLUTION_ERROR` environment variable, it is now safe to unset it.
-
-### Other Changes
-
-- feat(cdn): Export `getReplay` in replay CDN bundles
- ([#13881](https://github.com/getsentry/sentry-javascript/pull/13881))
-- feat(replay): Clear fallback buffer when switching buffers
- ([#13914](https://github.com/getsentry/sentry-javascript/pull/13914))
-- feat(replay): Upgrade rrweb packages to 2.28.0 ([#13732](https://github.com/getsentry/sentry-javascript/pull/13732))
-- fix(docs): Correct supported browsers due to `globalThis`
- ([#13788](https://github.com/getsentry/sentry-javascript/pull/13788))
-- fix(nextjs): Adjust path to `requestAsyncStorageShim.js` template file
- ([#13928](https://github.com/getsentry/sentry-javascript/pull/13928))
-- fix(nextjs): Detect new locations for request async storage to support Next.js v15.0.0-canary.180 and higher
- ([#13920](https://github.com/getsentry/sentry-javascript/pull/13920))
-- fix(nextjs): Drop `_not-found` spans for all HTTP methods
- ([#13906](https://github.com/getsentry/sentry-javascript/pull/13906))
-- fix(nextjs): Fix resolution of request storage shim fallback
- ([#13929](https://github.com/getsentry/sentry-javascript/pull/13929))
-- fix(node): Ensure graphql options are correct when preloading
- ([#13769](https://github.com/getsentry/sentry-javascript/pull/13769))
-- fix(node): Local variables handle error ([#13827](https://github.com/getsentry/sentry-javascript/pull/13827))
-- fix(node): Remove `dataloader` instrumentation from default integrations
- ([#13873](https://github.com/getsentry/sentry-javascript/pull/13873))
-- fix(nuxt): Create declaration files for Nuxt module
- ([#13909](https://github.com/getsentry/sentry-javascript/pull/13909))
-- fix(replay): Ensure `replay_id` is removed from frozen DSC when stopped
- ([#13893](https://github.com/getsentry/sentry-javascript/pull/13893))
-- fix(replay): Try/catch `sendBufferedReplayOrFlush` to prevent cycles
- ([#13900](https://github.com/getsentry/sentry-javascript/pull/13900))
-- fix(sveltekit): Ensure trace meta tags are always injected
- ([#13231](https://github.com/getsentry/sentry-javascript/pull/13231))
-- fix(sveltekit): Update `wrapServerRouteWithSentry` to respect ParamMatchers
- ([#13390](https://github.com/getsentry/sentry-javascript/pull/13390))
-- fix(wasm): Integration wasm uncaught WebAssembly.Exception
- ([#13787](https://github.com/getsentry/sentry-javascript/pull/13787)) (#13854)
-- ref(nextjs): Ignore sentry spans based on query param attribute
- ([#13905](https://github.com/getsentry/sentry-javascript/pull/13905))
-- ref(utils): Move `vercelWaitUntil` to utils ([#13891](https://github.com/getsentry/sentry-javascript/pull/13891))
-
-Work in this release was contributed by @trzeciak, @gurpreetatwal, @ykzts and @lizhiyao. Thank you for your
-contributions!
-
-## 8.33.1
-
-- fix(core): Update trpc middleware types ([#13859](https://github.com/getsentry/sentry-javascript/pull/13859))
-- fix(fetch): Fix memory leak when handling endless streaming
- ([#13809](https://github.com/getsentry/sentry-javascript/pull/13809))
-
-Work in this release was contributed by @soapproject. Thank you for your contribution!
-
-## 8.33.0
-
-### Important Changes
-
-- **feat(nextjs): Support new async APIs (`headers()`, `params`, `searchParams`)
- ([#13828](https://github.com/getsentry/sentry-javascript/pull/13828))**
-
-Adds support for [new dynamic Next.js APIs](https://github.com/vercel/next.js/pull/68812).
-
-- **feat(node): Add `lru-memoizer` instrumentation
- ([#13796](https://github.com/getsentry/sentry-javascript/pull/13796))**
-
-Adds integration for lru-memoizer using @opentelemetry/instrumentation-lru-memoizer.
-
-- **feat(nuxt): Add `unstable_sentryBundlerPluginOptions` to module options
- ([#13811](https://github.com/getsentry/sentry-javascript/pull/13811))**
-
-Allows passing other options from the bundler plugins (vite and rollup) to Nuxt module options.
-
-### Other Changes
-
-- fix(browser): Ensure `wrap()` only returns functions
- ([#13838](https://github.com/getsentry/sentry-javascript/pull/13838))
-- fix(core): Adapt trpc middleware input attachment
- ([#13831](https://github.com/getsentry/sentry-javascript/pull/13831))
-- fix(core): Don't return trace data in `getTraceData` and `getTraceMetaTags` if SDK is disabled
- ([#13760](https://github.com/getsentry/sentry-javascript/pull/13760))
-- fix(nuxt): Don't restrict source map assets upload
- ([#13800](https://github.com/getsentry/sentry-javascript/pull/13800))
-- fix(nuxt): Use absolute path for client config ([#13798](https://github.com/getsentry/sentry-javascript/pull/13798))
-- fix(replay): Stop global event handling for paused replays
- ([#13815](https://github.com/getsentry/sentry-javascript/pull/13815))
-- fix(sveltekit): add url param to source map upload options
- ([#13812](https://github.com/getsentry/sentry-javascript/pull/13812))
-- fix(types): Add jsdocs to cron types ([#13776](https://github.com/getsentry/sentry-javascript/pull/13776))
-- fix(nextjs): Loosen @sentry/nextjs webpack peer dependency
- ([#13826](https://github.com/getsentry/sentry-javascript/pull/13826))
-
-Work in this release was contributed by @joshuajaco. Thank you for your contribution!
-
-## 8.32.0
-
-### Important Changes
-
-- **ref(browser): Move navigation span descriptions into op
- ([#13527](https://github.com/getsentry/sentry-javascript/pull/13527))**
-
-Moves the description of navigation related browser spans into the op, e.g. browser - cache -> browser.cache and sets
-the description to the performanceEntry objects' names (in this context it is the URL of the page).
-
-- **feat(node): Add amqplibIntegration ([#13714](https://github.com/getsentry/sentry-javascript/pull/13714))**
-
-- **feat(nestjs): Add `SentryGlobalGenericFilter` and allow specifying application ref in global filter
- ([#13673](https://github.com/getsentry/sentry-javascript/pull/13673))**
-
-Adds a `SentryGlobalGenericFilter` that filters both graphql and http exceptions depending on the context.
-
-- **feat: Set log level for Fetch/XHR breadcrumbs based on status code
- ([#13711](https://github.com/getsentry/sentry-javascript/pull/13711))**
-
-Sets log levels in breadcrumbs for 5xx to error and 4xx to warning.
-
-### Other Changes
-
-- chore(nextjs): Bump rollup to 3.29.5 ([#13761](https://github.com/getsentry/sentry-javascript/pull/13761))
-- fix(core): Remove `sampled` flag from dynamic sampling context in Tracing without Performance mode
- ([#13753](https://github.com/getsentry/sentry-javascript/pull/13753))
-- fix(node): Ensure node-fetch does not emit spans without tracing
- ([#13765](https://github.com/getsentry/sentry-javascript/pull/13765))
-- fix(nuxt): Use Nuxt error hooks instead of errorHandler to prevent 500
- ([#13748](https://github.com/getsentry/sentry-javascript/pull/13748))
-- fix(test): Unflake LCP test ([#13741](https://github.com/getsentry/sentry-javascript/pull/13741))
-
-Work in this release was contributed by @Zen-cronic and @Sjoertjuh. Thank you for your contributions!
-
-## 8.31.0
-
-### Important Changes
-
-- **feat(node): Add `dataloader` integration (#13664)**
-
-This release adds a new integration for the [`dataloader` package](https://www.npmjs.com/package/dataloader). The Node
-SDK (and all SDKs that depend on it) will now automatically instrument `dataloader` instances. You can also add it
-manually:
-
-```js
-Sentry.init({
- integrations: [Sentry.dataloaderIntegration()],
-});
-```
-
-### Other Changes
-
-- feat(browser): Add navigation `activationStart` timestamp to pageload span (#13658)
-- feat(gatsby): Add optional `deleteSourcemapsAfterUpload` (#13610)
-- feat(nextjs): Give app router prefetch requests a `http.server.prefetch` op (#13600)
-- feat(nextjs): Improve Next.js serverside span data quality (#13652)
-- feat(node): Add `disableInstrumentationWarnings` option (#13693)
-- feat(nuxt): Adding `experimental_basicServerTracing` option to Nuxt module (#13643)
-- feat(nuxt): Improve logs about adding Node option 'import' (#13726)
-- feat(replay): Add `onError` callback + other small improvements to debugging (#13721)
-- feat(replay): Add experimental option to allow for a checkout every 6 minutes (#13069)
-- feat(wasm): Unconditionally parse instruction addresses (#13655)
-- fix: Ensure all logs are wrapped with `consoleSandbox` (#13690)
-- fix(browser): Try multiple options for `lazyLoadIntegration` script parent element lookup (#13717)
-- fix(feedback): Actor color applies to feedback icon (#13702)
-- fix(feedback): Fix form width on mobile devices (#13068)
-- fix(nestjs): Preserve original function name on `SentryTraced` functions (#13684)
-- fix(node): Don't overwrite local variables for re-thrown errors (#13644)
-- fix(normalize): Treat Infinity as NaN both are non-serializable numbers (#13406)
-- fix(nuxt): Use correct server output file path (#13725)
-- fix(opentelemetry): Always use active span in `Propagator.inject` (#13381)
-- fix(replay): Fixes potential out-of-order segments (#13609)
-
-Work in this release was contributed by @KyGuy2002, @artzhookov, and @julianCast. Thank you for your contributions!
-
-## 8.30.0
-
-### Important Changes
-
-- **feat(node): Add `kafkajs` integration (#13528)**
-
-This release adds a new integration that instruments `kafkajs` library with spans and traces. This integration is
-automatically enabled by default, but can be included with the `Sentry.kafkaIntegration()` import.
-
-```js
-Sentry.init({
- integrations: [Sentry.kafkaIntegration()],
-});
-```
-
-### Other Changes
-
-- feat(core): Allow adding measurements without global client (#13612)
-- feat(deps): Bump @opentelemetry/instrumentation-undici from 0.5.0 to 0.6.0 (#13622)
-- feat(deps): Bump @sentry/cli from 2.33.0 to 2.35.0 (#13624)
-- feat(node): Use `@opentelemetry/instrumentation-undici` for fetch tracing (#13485)
-- feat(nuxt): Add server config to root folder (#13583)
-- feat(otel): Upgrade @opentelemetry/semantic-conventions to 1.26.0 (#13631)
-- fix(browser): check supportedEntryTypes before caling the function (#13541)
-- fix(browser): Ensure Standalone CLS span timestamps are correct (#13649)
-- fix(nextjs): Widen removal of 404 transactions (#13628)
-- fix(node): Remove ambiguity and race conditions when matching local variables to exceptions (#13501)
-- fix(node): Update OpenTelemetry instrumentation package for solidstart and opentelemetry (#13640)
-- fix(node): Update OpenTelemetry instrumentation package for solidstart and opentelemetry (#13642)
-- fix(vue): Ensure Vue `trackComponents` list matches components with or without `<>` (#13543)
-- ref(profiling): Conditionally shim cjs globals (#13267)
-
-Work in this release was contributed by @Zen-cronic and @odanado. Thank you for your contributions!
-
-## 8.29.0
-
-### Important Changes
-
-- **Beta releases of official Solid and SolidStart Sentry SDKs**
-
-This release marks the beta releases of the `@sentry/solid` and `@sentry/solidstart` Sentry SDKs. For details on how to
-use them, check out the
-[Sentry Solid SDK README](https://github.com/getsentry/sentry-javascript/tree/develop/packages/solid) and the
-[Sentry SolidStart SDK README](https://github.com/getsentry/sentry-javascript/tree/develop/packages/solidstart)
-respectively. Please reach out on [GitHub](https://github.com/getsentry/sentry-javascript/issues/new/choose) if you have
-any feedback or concerns.
-
-- **feat(node): Option to only wrap instrumented modules (#13139)**
-
-Adds the SDK option to only wrap ES modules with `import-in-the-middle` that specifically need to be instrumented.
-
-```javascript
-import * as Sentry from '@sentry/node';
-
-Sentry.init({
- dsn: '__PUBLIC_DSN__',
- registerEsmLoaderHooks: { onlyIncludeInstrumentedModules: true },
-});
-```
-
-- **feat(node): Update OpenTelemetry packages to instrumentation v0.53.0 (#13587)**
-
-All internal OpenTelemetry instrumentation was updated to their latest version. This adds support for Mongoose v7 and v8
-and fixes various bugs related to ESM mode.
-
-### Other Changes
-
-- feat(nextjs): Emit warning when using turbopack (#13566)
-- feat(nextjs): Future-proof Next.js config options overriding (#13586)
-- feat(node): Add `generic-pool` integration (#13465)
-- feat(nuxt): Upload sourcemaps generated by Nitro (#13382)
-- feat(solidstart): Add `browserTracingIntegration` by default (#13561)
-- feat(solidstart): Add `sentrySolidStartVite` plugin to simplify source maps upload (#13493)
-- feat(vue): Only start UI spans if parent is available (#13568)
-- fix(cloudflare): Guard `context.waitUntil` call in request handler (#13549)
-- fix(gatsby): Fix assets path for sourcemaps upload (#13592)
-- fix(nextjs): Use posix paths for sourcemap uploads (#13603)
-- fix(node-fetch): Use stringified origin url (#13581)
-- fix(node): Replace dashes in `generic-pool` span origins with underscores (#13579)
-- fix(replay): Fix types in WebVitalData (#13573)
-- fix(replay): Improve replay web vital types (#13602)
-- fix(utils): Keep logger on carrier (#13570)
-
-Work in this release was contributed by @Zen-cronic. Thank you for your contribution!
-
-## 8.28.0
-
-### Important Changes
-
-- **Beta release of official NestJS SDK**
-
-This release contains the beta version of `@sentry/nestjs`! For details on how to use it, check out the
-[README](https://github.com/getsentry/sentry-javascript/blob/master/packages/nestjs/README.md). Any feedback/bug reports
-are greatly appreciated, please reach out on GitHub.
-
-- **fix(browser): Remove faulty LCP, FCP and FP normalization logic (#13502)**
-
-This release fixes a bug in the `@sentry/browser` package and all SDKs depending on this package (e.g. `@sentry/react`
-or `@sentry/nextjs`) that caused the SDK to send incorrect web vital values for the LCP, FCP and FP vitals. The SDK
-previously incorrectly processed the original values as they were reported from the browser. When updating your SDK to
-this version, you might experience an increase in LCP, FCP and FP values, which potentially leads to a decrease in your
-performance score in the Web Vitals Insights module in Sentry. This is because the previously reported values were
-smaller than the actually measured values. We apologize for the inconvenience!
-
-### Other Changes
-
-- feat(nestjs): Add `SentryGlobalGraphQLFilter` (#13545)
-- feat(nestjs): Automatic instrumentation of nestjs interceptors after route execution (#13264)
-- feat(nextjs): Add `bundleSizeOptimizations` to build options (#13323)
-- feat(nextjs): Stabilize `captureRequestError` (#13550)
-- feat(nuxt): Wrap config in nuxt context (#13457)
-- feat(profiling): Expose profiler as top level primitive (#13512)
-- feat(replay): Add layout shift to CLS replay data (#13386)
-- feat(replay): Upgrade rrweb packages to 2.26.0 (#13483)
-- fix(cdn): Do not mangle \_metadata (#13426)
-- fix(cdn): Fix SDK source for CDN bundles (#13475)
-- fix(nestjs): Check arguments before instrumenting with `@Injectable` (#13544)
-- fix(nestjs): Ensure exception and host are correctly passed on when using @WithSentry (#13564)
-- fix(node): Suppress tracing for transport request execution rather than transport creation (#13491)
-- fix(replay): Consider more things as DOM mutations for dead clicks (#13518)
-- fix(vue): Correctly obtain component name (#13484)
-
-Work in this release was contributed by @leopoldkristjansson, @mhuggins and @filips123. Thank you for your
-contributions!
-
-## 8.27.0
-
-### Important Changes
-
-- **fix(nestjs): Exception filters in main app module are not being executed (#13278)**
-
- With this release nestjs error monitoring is no longer automatically set up after adding the `SentryModule` to your
- application, which led to issues in certain scenarios. You will now have to either add the `SentryGlobalFilter` to
- your main module providers or decorate the `catch()` method in your existing global exception filters with the newly
- released `@WithSentry()` decorator. See the [docs](https://docs.sentry.io/platforms/javascript/guides/nestjs/) for
- more details.
-
-### Other Changes
-
-- feat: Add options for passing nonces to feedback integration (#13347)
-- feat: Add support for SENTRY_SPOTLIGHT env var in Node (#13325)
-- feat(deps): bump @prisma/instrumentation from 5.17.0 to 5.18.0 (#13327)
-- feat(feedback): Improve error message for 403 errors (#13441)
-- fix(deno): Don't rely on `Deno.permissions.querySync` (#13378)
-- fix(replay): Ensure we publish replay CDN bundles (#13437)
-
-Work in this release was contributed by @charpeni. Thank you for your contribution!
-
-## 8.26.0
-
-### Important Changes
-
-- **feat(node): Add `fsInstrumentation` (#13291)**
-
- This release adds `fsIntegration`, an integration that instruments the `fs` API to the Sentry Node SDK. The
- integration creates spans with naming patterns of `fs.readFile`, `fs.unlink`, and so on.
-
- This integration is not enabled by default and needs to be registered in your `Sentry.init` call. You can configure
- via options whether to include path arguments or error messages as span attributes when an fs call fails:
-
- ```js
- Sentry.init({
- integrations: [
- Sentry.fsIntegration({
- recordFilePaths: true,
- recordErrorMessagesAsSpanAttributes: true,
- }),
- ],
- });
- ```
-
- **WARNING:** This integration may add significant overhead to your application. Especially in scenarios with a lot of
- file I/O, like for example when running a framework dev server, including this integration can massively slow down
- your application.
-
-### Other Changes
-
-- feat(browser): Add spotlightBrowser integration (#13263)
-- feat(browser): Allow sentry in safari extension background page (#13209)
-- feat(browser): Send CLS as standalone span (experimental) (#13056)
-- feat(core): Add OpenTelemetry-specific `getTraceData` implementation (#13281)
-- feat(nextjs): Always add `browserTracingIntegration` (#13324)
-- feat(nextjs): Always transmit trace data to the client (#13337)
-- feat(nextjs): export SentryBuildOptions (#13296)
-- feat(nextjs): Update `experimental_captureRequestError` to reflect `RequestInfo.path` change in Next.js canary
- (#13344)
-
-- feat(nuxt): Always add tracing meta tags (#13273)
-- feat(nuxt): Set transaction name for server error (#13292)
-- feat(replay): Add a replay-specific logger (#13256)
-- feat(sveltekit): Add bundle size optimizations to plugin options (#13318)
-- feat(sveltekit): Always add browserTracingIntegration (#13322)
-- feat(tracing): Make long animation frames opt-out (#13255)
-- fix(astro): Correctly extract request data (#13315)
-- fix(astro): Only track access request headers in dynamic page requests (#13306)
-- fix(nuxt): Add import line for disabled `autoImport` (#13342)
-- fix(nuxt): Add vue to excludeEsmLoaderHooks array (#13346)
-- fix(opentelemetry): Do not overwrite http span name if kind is internal (#13282)
-- fix(remix): Ensure `origin` is correctly set for remix server spans (#13305)
-
-Work in this release was contributed by @MonstraG, @undead-voron and @Zen-cronic. Thank you for your contributions!
-
-## 8.25.0
-
-### Important Changes
-
-- **Alpha release of Official Solid Start SDK**
-
-This release contains the alpha version of `@sentry/solidstart`, our SDK for [Solid Start](https://start.solidjs.com/)!
-For details on how to use it, please see the [README](./packages/solidstart/README.md). Any feedback/bug reports are
-greatly appreciated, please [reach out on GitHub](https://github.com/getsentry/sentry-javascript/issues/12538).
-
-### Other Changes
-
-- feat(astro): Add `bundleSizeOptimizations` vite options to integration (#13250)
-- feat(astro): Always add BrowserTracing (#13244)
-- feat(core): Add `getTraceMetaTags` function (#13201)
-- feat(nestjs): Automatic instrumentation of nestjs exception filters (#13230)
-- feat(node): Add `useOperationNameForRootSpan` to`graphqlIntegration` (#13248)
-- feat(sveltekit): Add `wrapServerRouteWithSentry` wrapper (#13247)
-- fix(aws-serverless): Extract sentry trace data from handler `context` over `event` (#13266)
-- fix(browser): Initialize default integration if `defaultIntegrations: undefined` (#13261)
-- fix(utils): Streamline IP capturing on incoming requests (#13272)
-
-## 8.24.0
-
-- feat(nestjs): Filter RPC exceptions (#13227)
-- fix: Guard getReader function for other fetch implementations (#13246)
-- fix(feedback): Ensure feedback can be lazy loaded in CDN bundles (#13241)
-
-## 8.23.0
-
-### Important Changes
-
-- **feat(cloudflare): Add Cloudflare D1 instrumentation (#13142)**
-
-This release includes support for Cloudflare D1, Cloudflare's serverless SQL database. To instrument your Cloudflare D1
-database, use the `instrumentD1WithSentry` method as follows:
-
-```ts
-// env.DB is the D1 DB binding configured in your `wrangler.toml`
-const db = instrumentD1WithSentry(env.DB);
-// Now you can use the database as usual
-await db.prepare('SELECT * FROM table WHERE id = ?').bind(1).run();
-```
-
-### Other Changes
-
-- feat(cloudflare): Allow users to pass handler to sentryPagesPlugin (#13192)
-- feat(cloudflare): Instrument scheduled handler (#13114)
-- feat(core): Add `getTraceData` function (#13134)
-- feat(nestjs): Automatic instrumentation of nestjs interceptors before route execution (#13153)
-- feat(nestjs): Automatic instrumentation of nestjs pipes (#13137)
-- feat(nuxt): Filter out Nuxt build assets (#13148)
-- feat(profiling): Attach sdk info to chunks (#13145)
-- feat(solidstart): Add sentry `onBeforeResponse` middleware to enable distributed tracing (#13221)
-- feat(solidstart): Filter out low quality transactions for build assets (#13222)
-- fix(browser): Avoid showing browser extension error message in non-`window` global scopes (#13156)
-- fix(feedback): Call dialog.close() in dialog close callbacks in `\_loadAndRenderDialog` (#13203)
-- fix(nestjs): Inline Observable type to resolve missing 'rxjs' dependency (#13166)
-- fix(nuxt): Detect pageload by adding flag in Vue router (#13171)
-- fix(utils): Handle when requests get aborted in fetch instrumentation (#13202)
-- ref(browser): Improve browserMetrics collection (#13062)
-
-Work in this release was contributed by @horochx. Thank you for your contribution!
-
-## 8.22.0
-
-### Important Changes
-
-- **feat(cloudflare): Add plugin for cloudflare pages (#13123)**
-
-This release adds support for Cloudflare Pages to `@sentry/cloudflare`, our SDK for the
-[Cloudflare Workers JavaScript Runtime](https://developers.cloudflare.com/workers/)! For details on how to use it,
-please see the [README](./packages/cloudflare/README.md). Any feedback/bug reports are greatly appreciated, please
-[reach out on GitHub](https://github.com/getsentry/sentry-javascript/issues/12620).
-
-```javascript
-// functions/_middleware.js
-import * as Sentry from '@sentry/cloudflare';
-
-export const onRequest = Sentry.sentryPagesPlugin({
- dsn: __PUBLIC_DSN__,
- // Set tracesSampleRate to 1.0 to capture 100% of spans for tracing.
- tracesSampleRate: 1.0,
-});
-```
-
-### Other Changes
-
-- feat(meta-sdks): Remove runtime tags (#13105)
-- feat(nestjs): Automatic instrumentation of nestjs guards (#13129)
-- feat(nestjs): Filter all HttpExceptions (#13120)
-- feat(replay): Capture exception when `internal_sdk_error` client report happens (#13072)
-- fix: Use `globalThis` for code injection (#13132)
-
-## 8.21.0
-
-### Important Changes
-
-- **Alpha release of Official Cloudflare SDK**
- - feat(cloudflare): Add `withSentry` method (#13025)
- - feat(cloudflare): Add cloudflare sdk scaffolding (#12953)
- - feat(cloudflare): Add basic cloudflare package and tests (#12861)
-
-This release contains the alpha version of `@sentry/cloudflare`, our SDK for the
-[Cloudflare Workers JavaScript Runtime](https://developers.cloudflare.com/workers/)! For details on how to use it,
-please see the [README](./packages/cloudflare/README.md). Any feedback/bug reports are greatly appreciated, please
-[reach out on GitHub](https://github.com/getsentry/sentry-javascript/issues/12620).
-
-Please note that only Cloudflare Workers are tested and supported - official Cloudflare Pages support will come in an
-upcoming release.
-
-### Other Changes
-
-- feat(feedback): Make cropped screenshot area draggable (#13071)
-- feat(core): Adapt spans for client-side fetch to streaming responses (#12723)
-- feat(core): Capture # of dropped spans through `beforeSendTransaction` (#13022)
-- feat(deps): bump `@opentelemetry/instrumentation-aws-sdk` from 0.43.0 to 0.43.1 (#13089)
-- feat(deps): bump `@opentelemetry/instrumentation-express` from 0.41.0 to 0.41.1 (#13090)
-- feat(nestjs): Automatic instrumentation of nestjs middleware (#13065)
-- feat(node): Upgrade `import-in-the-middle` to 1.11.0 (#13107)
-- feat(nuxt): Add connected tracing meta tags (#13098)
-- feat(nuxt): Add vue-router instrumentation (#13054)
-- feat(solidstart): Add server action instrumentation helper (#13035)
-- fix(feedback): Ensure pluggable feedback CDN bundle is correctly built (#13081)
-- fix(nextjs): Only delete clientside bundle source maps with `sourcemaps.deleteFilesAfterUpload` (#13102)
-- fix(node): Improve OTEL validation logic (#13079)
-
-## 8.20.0
-
-### Important Changes
-
-- **feat(node): Allow to pass `registerEsmLoaderHooks` to preload (#12998)**
-
-You can write your own custom preload script and configure this in the preload options. `registerEsmLoaderHooks` can be
-passed as an option to `preloadOpenTelemetry`, which allows to exclude/include packages in the preload.
-
-- **fix(node): Do not emit fetch spans when tracing is disabled (#13003)**
-
-Sentry will not emit "fetch" spans if tracing is disabled. This is relevant for user who use their own sampler.
-
-### Other Changes
-
-- feat(feedback): Trigger button aria label configuration (#13008)
-- feat(nestjs): Change nest sdk setup (#12920)
-- feat(node): Extend ESM hooks options for iitm v1.10.0 (#13016)
-- feat(node): Send client reports (#12951)
-- feat(nuxt): Automatically add BrowserTracing (#13005)
-- feat(nuxt): Setup source maps with vite config (#13018)
-- feat(replay): Improve public Replay APIs (#13000)
-
-## 8.19.0
-
-- feat(core): Align Span interface with OTEL (#12898)
-- fix(angular): Remove `afterSendEvent` listener once root injector is destroyed (#12786)
-- fix(browser): Fix bug causing unintentional dropping of transactions (#12933)
-- fix(feedback): Add a missing call of Actor.appendToDom method when DOMContentLoaded event is triggered (#12973)
-- feat(vercel-edge): Add dedupe as default integration (#12957)
-- fix(node): Pass inferred name & attributes to `tracesSampler` (#12945)
-- feat(express): Allow to pass options to `setupExpressErrorHandler` (#12952)
-
-Work in this release was contributed by @jaspreet57 and @arturovt. Thank you for your contribution!
-
-## 8.18.0
-
-### Important Changes
-
-- **ref: Deprecate `enableTracing` (12897)**
-
-The `enableTracing` option has been deprecated and will be removed in the next major version. We recommend removing it
-in favor of the `tracesSampleRate` and `tracesSampler` options. If you want to enable performance monitoring, please set
-the `tracesSampleRate` to a sample rate of your choice, or provide a sampling function as `tracesSampler` option
-instead. If you want to disable performance monitoring, remove the `tracesSampler` and `tracesSampleRate` options.
-
-### Other Changes
-
-- feat(node): Expose `exclude` and `include` options for ESM loader (#12910)
-- feat(browser): Add user agent to INP standalone span attributes (#12896)
-- feat(nextjs): Add `experimental_captureRequestError` for `onRequestError` hook (#12885)
-- feat(replay): Bump `rrweb` to 2.25.0 (#12478)
-- feat(tracing): Add long animation frame tracing (#12646)
-- fix: Cleanup hooks when they are not used anymore (#12852)
-- fix(angular): Guard `ErrorEvent` check in ErrorHandler to avoid throwing in Node environments (#12892)
-- fix(inp): Ensure INP spans have correct transaction (#12871)
-- fix(nestjs): Do not make SentryTraced() decorated functions async (#12879)
-- fix(nextjs): Support automatic instrumentation for app directory with custom page extensions (#12858)
-- fix(node): Ensure correct URL is passed to `ignoreIncomingRequests` callback (#12929)
-- fix(otel): Do not add `otel.kind: INTERNAL` attribute (#12841)
-- fix(solidstart): Set proper sentry origin for solid router integration when used in solidstart sdk (#12919)
-- fix(sveltekit): Add Vite peer dep for proper type resolution (#12926)
-- fix(tracing): Ensure you can pass `null` as `parentSpan` in `startSpan*` (#12928)
-- ref(core): Small bundle size improvement (#12830)
-
-Work in this release was contributed by @GitSquared, @ziyadkhalil and @mcous. Thank you for your contributions!
-
-## 8.17.0
-
-- feat: Upgrade OTEL deps (#12809)
-- fix(nuxt): Add module to build:transpile script (#12843)
-- fix(browser): Allow SDK initialization in NW.js apps (#12846)
-
-## 8.16.0
-
-### Important Changes
-
-- **feat(nextjs): Use spans generated by Next.js for App Router (#12729)**
-
-Previously, the `@sentry/nextjs` SDK automatically recorded spans in the form of transactions for each of your top-level
-server components (pages, layouts, ...). This approach had a few drawbacks, the main ones being that traces didn't have
-a root span, and more importantly, if you had data stream to the client, its duration was not captured because the
-server component spans had finished before the data could finish streaming.
-
-With this release, we will capture the duration of App Router requests in their entirety as a single transaction with
-server component spans being descendants of that transaction. This means you will get more data that is also more
-accurate. Note that this does not apply to the Edge runtime. For the Edge runtime, the SDK will emit transactions as it
-has before.
-
-Generally speaking, this change means that you will see less _transactions_ and more _spans_ in Sentry. You will no
-longer receive server component transactions like `Page Server Component (/path/to/route)` (unless using the Edge
-runtime), and you will instead receive transactions for your App Router SSR requests that look like
-`GET /path/to/route`.
-
-If you are on Sentry SaaS, this may have an effect on your quota consumption: Less transactions, more spans.
-
-- **- feat(nestjs): Add nest cron monitoring support (#12781)**
-
-The `@sentry/nestjs` SDK now includes a `@SentryCron` decorator that can be used to augment the native NestJS `@Cron`
-decorator to send check-ins to Sentry before and after each cron job run:
-
-```typescript
-import { Cron } from '@nestjs/schedule';
-import { SentryCron, MonitorConfig } from '@sentry/nestjs';
-import type { MonitorConfig } from '@sentry/types';
-
-const monitorConfig: MonitorConfig = {
- schedule: {
- type: 'crontab',
- value: '* * * * *',
- },
- checkinMargin: 2, // In minutes. Optional.
- maxRuntime: 10, // In minutes. Optional.
- timezone: 'America/Los_Angeles', // Optional.
-};
-
-export class MyCronService {
- @Cron('* * * * *')
- @SentryCron('my-monitor-slug', monitorConfig)
- handleCron() {
- // Your cron job logic here
- }
-}
-```
-
-### Other Changes
-
-- feat(node): Allow to pass instrumentation config to `httpIntegration` (#12761)
-- feat(nuxt): Add server error hook (#12796)
-- feat(nuxt): Inject sentry config with Nuxt `addPluginTemplate` (#12760)
-- fix: Apply stack frame metadata before event processors (#12799)
-- fix(feedback): Add missing `h` import in `ScreenshotEditor` (#12784)
-- fix(node): Ensure `autoSessionTracking` is enabled by default (#12790)
-- ref(feedback): Let CropCorner inherit the existing h prop (#12814)
-- ref(otel): Ensure we never swallow args for ContextManager (#12798)
-
-## 8.15.0
-
-- feat(core): allow unregistering callback through `on` (#11710)
-- feat(nestjs): Add function-level span decorator to nestjs (#12721)
-- feat(otel): Export & use `spanTimeInputToSeconds` for otel span exporter (#12699)
-- fix(core): Pass origin as referrer for `lazyLoadIntegration` (#12766)
-- fix(deno): Publish from build directory (#12773)
-- fix(hapi): Specify error channel to filter boom errors (#12725)
-- fix(react): Revert back to `jsxRuntime: 'classic'` to prevent breaking react 17 (#12775)
-- fix(tracing): Report dropped spans for transactions (#12751)
-- ref(scope): Delete unused public `getStack()` (#12737)
-
-Work in this release was contributed by @arturovt and @jaulz. Thank you for your contributions!
-
-## 8.14.0
-
-### Important Changes
-
-- **feat(nestjs): Filter 4xx errors (#12695)**
-
-The `@sentry/nestjs` SDK no longer captures 4xx errors automatically.
-
-### Other Changes
-
-- chore(react): Remove private namespace `JSX` (#12691)
-- feat(deps): bump @opentelemetry/propagator-aws-xray from 1.25.0 to 1.25.1 (#12719)
-- feat(deps): bump @prisma/instrumentation from 5.16.0 to 5.16.1 (#12718)
-- feat(node): Add `registerEsmLoaderHooks` option (#12684)
-- feat(opentelemetry): Expose sampling helper (#12674)
-- fix(browser): Make sure measure spans have valid start timestamps (#12648)
-- fix(hapi): Widen type definitions (#12710)
-- fix(nextjs): Attempt to ignore critical dependency warnings (#12694)
-- fix(react): Fix React jsx runtime import for esm (#12740)
-- fix(replay): Start replay in `afterAllSetup` instead of next tick (#12709)
-
-Work in this release was contributed by @quisido. Thank you for your contribution!
-
-## 8.13.0
-
-### Important Changes
-
-- **feat(nestjs): Add Nest SDK** This release adds a dedicated SDK for [NestJS](https://nestjs.com/) (`@sentry/nestjs`)
- in alpha state. The SDK is a drop-in replacement for the Sentry Node SDK (`@sentry/node`) supporting the same set of
- features. See the [docs](https://docs.sentry.io/platforms/javascript/guides/nestjs/) for how to use the SDK.
-
-### Other Changes
-
-- deps: Bump bundler plugins to `2.20.1` (#12641)
-- deps(nextjs): Remove react peer dep and allow rc (#12670)
-- feat: Update OTEL deps (#12635)
-- feat(deps): bump @prisma/instrumentation from 5.15.0 to 5.15.1 (#12627)
-- feat(node): Add context info for missing instrumentation (#12639)
-- fix(feedback): Improve feedback error message (#12647)
-
-## 8.12.0
-
-### Important Changes
-
-- **feat(solid): Remove need to pass router hooks to solid integration** (breaking)
-
-This release introduces breaking changes to the `@sentry/solid` package (which is currently out in alpha).
-
-We've made it easier to get started with the solid router integration by removing the need to pass **use\*** hooks
-explicitly to `solidRouterBrowserTracingIntegration`. Import `solidRouterBrowserTracingIntegration` from
-`@sentry/solid/solidrouter` and add it to `Sentry.init`
-
-```js
-import * as Sentry from '@sentry/solid';
-import { solidRouterBrowserTracingIntegration, withSentryRouterRouting } from '@sentry/solid/solidrouter';
-import { Router } from '@solidjs/router';
-
-Sentry.init({
- dsn: '__PUBLIC_DSN__',
- integrations: [solidRouterBrowserTracingIntegration()],
- tracesSampleRate: 1.0, // Capture 100% of the transactions
-});
-
-const SentryRouter = withSentryRouterRouting(Router);
-```
-
-- **feat(core): Return client from init method (#12585)**
-
-`Sentry.init()` now returns a client directly, so you don't need to explicitly call `getClient()` anymore:
-
-```js
-const client = Sentry.init();
-```
-
-- **feat(nextjs): Add `deleteSourcemapsAfterUpload` option (#12457)**
-
-This adds an easy way to delete sourcemaps immediately after uploading them:
-
-```js
-module.exports = withSentryConfig(nextConfig, {
- sourcemaps: {
- deleteSourcemapsAfterUpload: true,
- },
-});
-```
-
-- **feat(node): Allow to configure `maxSpanWaitDuration` (#12610)**
-
-Adds configuration option for the max. duration in seconds that the SDK will wait for parent spans to be finished before
-discarding a span. The SDK will automatically clean up spans that have no finished parent after this duration. This is
-necessary to prevent memory leaks in case of parent spans that are never finished or otherwise dropped/missing. However,
-if you have very long-running spans in your application, a shorter duration might cause spans to be discarded too early.
-In this case, you can increase this duration to a value that fits your expected data.
-
-### Other Changes
-
-- feat(feedback): Extra check for iPad in screenshot support (#12593)
-- fix(bundle): Ensure CDN bundles do not overwrite `window.Sentry` (#12580)
-- fix(feedback): Inject preact from feedbackModal into feedbackScreenshot integration (#12535)
-- fix(node): Re-throw errors from koa middleware (#12609)
-- fix(remix): Mark `isRemixV2` as optional in exposed types. (#12614)
-- ref(node): Add error message to NodeFetch log (#12612)
-
-Work in this release was contributed by @n4bb12. Thank you for your contribution!
-
-## 8.11.0
-
-### Important Changes
-
-- **feat(core): Add `parentSpan` option to `startSpan*` APIs (#12567)**
-
-We've made it easier to create a span as a child of a specific span via the startSpan\* APIs. This should allow you to
-explicitly manage the parent-child relationship of your spans better.
-
-```js
-Sentry.startSpan({ name: 'root' }, parent => {
- const span = Sentry.startInactiveSpan({ name: 'xxx', parentSpan: parent });
-
- Sentry.startSpan({ name: 'xxx', parentSpan: parent }, () => {});
-
- Sentry.startSpanManual({ name: 'xxx', parentSpan: parent }, () => {});
-});
-```
-
-### Other Changes
-
-- feat(node): Detect release from more providers (#12529)
-- fix(profiling-node): Use correct getGlobalScope import (#12564)
-- fix(profiling-node) sample timestamps need to be in seconds (#12563)
-- ref: Align `@sentry/node` exports from framework SDKs. (#12589)
-
-## 8.10.0
-
-### Important Changes
-
-- **feat(remix): Migrate to `opentelemetry-instrumentation-remix`. (#12110)**
-
-You can now simplify your remix instrumentation by opting-in like this:
-
-```js
-const Sentry = require('@sentry/remix');
-
-Sentry.init({
- dsn: YOUR_DSN
- // opt-in to new auto instrumentation
- autoInstrumentRemix: true,
-});
-```
-
-With this setup, you do not need to add e.g. `wrapExpressCreateRequestHandler` anymore. Additionally, the quality of the
-captured data improves. The old way to use `@sentry/remix` continues to work, but it is encouraged to use the new setup.
-
-### Other Changes
-
-- feat(browser): Export `thirdPartyErrorFilterIntegration` from `@sentry/browser` (#12512)
-- feat(feedback): Allow passing `tags` field to any feedback config param (#12197)
-- feat(feedback): Improve screenshot quality for retina displays (#12487)
-- feat(feedback): Screenshots don't resize after cropping (#12481)
-- feat(node) add max lineno and colno limits (#12514)
-- feat(profiling) add global profile context while profiler is running (#12394)
-- feat(react): Add React version to events (#12390)
-- feat(replay): Add url to replay hydration error breadcrumb type (#12521)
-- fix(core): Ensure standalone spans respect sampled flag (#12533)
-- fix(core): Use maxValueLength in extra error data integration (#12174)
-- fix(feedback): Fix scrolling after feedback submission (#12499)
-- fix(feedback): Send feedback rejects invalid responses (#12518)
-- fix(nextjs): Update @rollup/plugin-commonjs (#12527)
-- fix(node): Ensure status is correct for http server span errors (#12477)
-- fix(node): Unify`getDynamicSamplingContextFromSpan` (#12522)
-- fix(profiling): continuous profile chunks should be in seconds (#12532)
-- fix(remix): Add nativeFetch support for accessing request headers (#12479)
-- fix(remix): Export no-op as `captureRemixServerException` from client SDK (#12497)
-- ref(node) refactor contextlines to use readline (#12221)
-
-Work in this release was contributed by @AndreyKovanov and @kiliman. Thank you for your contributions!
-
-## 8.9.2
-
-- fix(profiling): Update exports so types generate properly (#12469)
-
-## 8.9.1
-
-### Important changes
-
-- **feat(solid): Add Solid SDK**
-
- This release adds a dedicated SDK for [Solid JS](https://www.solidjs.com/) in alpha state with instrumentation for
- [Solid Router](https://docs.solidjs.com/solid-router) and a custom `ErrorBoundary`. See the
- [package README](https://github.com/getsentry/sentry-javascript/blob/develop/packages/solid/README.md) for how to use
- the SDK.
-
-### Other changes
-
-- feat(deps): bump @opentelemetry/instrumentation-express from 0.40.0 to 0.40.1 (#12438)
-- feat(deps): bump @opentelemetry/instrumentation-mongodb from 0.44.0 to 0.45.0 (#12439)
-- feat(deps): bump @opentelemetry/propagator-aws-xray from 1.24.1 to 1.25.0 (#12437)
-- feat(nextjs): Allow for suppressing warning about missing global error handler file (#12369)
-- feat(redis): Add cache logic for redis-4 (#12429)
-- feat(replay): Replay Web Vital Breadcrumbs (#12296)
-- fix: Fix types export order (#12404)
-- fix(astro): Ensure server-side exports work correctly (#12453)
-- fix(aws-serverless): Add `op` to Otel-generated lambda function root span (#12430)
-- fix(aws-serverless): Only auto-patch handler in CJS when loading `awslambda-auto` (#12392)
-- fix(aws-serverless): Only start root span in Sentry wrapper if Otel didn't wrap handler (#12407)
-- fix(browser): Fix INP span creation & transaction tagging (#12372)
-- fix(nextjs): correct types conditional export ordering (#12355)
-- fix(replay): Fix guard for exception event (#12441)
-- fix(vue): Handle span name assignment for nested routes in VueRouter (#12398)
-
-Work in this release was contributed by @soch4n. Thank you for your contribution!
-
-## 8.9.0
-
-This release failed to publish correctly, please use `8.9.1` instead.
-
-## 8.8.0
-
-- **feat: Upgrade OTEL dependencies (#12388)**
-
-This upgrades the OpenTelemetry dependencies to the latest versions and makes OTEL use `import-in-the-middle` `v1.8.0`.
-This should fix numerous issues with using OTEL instrumentation with ESM.
-
-High level issues fixed with OTEL + ESM:
-
-- incompatibilities with using multiple loaders, commonly encountered while using `tsx` or similar libraries.
-- incompatibilities with libraries that use duplicate namespace exports like `date-fns`.
-- incompatibilities with libraries that use self-referencing namespace imports like `openai`.
-- incompatibilities with dynamic export patterns like exports with function calls.
-- `ENOENT: no such file or directory` bugs that libraries like [`discord.js`](https://github.com/discordjs/discord.js)
- surface.
-
-If you are still encountering issues with OpenTelemetry instrumentation and ESM, please let us know.
-
-- deps: Bump Sentry bundler plugins to version `2.18.0` (#12381)
-- feat: Add `thirdPartyErrorFilterIntegration` (#12267)
-- feat(core): Filter out error events with exception values and no stacktraces, values, or types (#12387)
-- feat(core): Ignore additional common but inactionable errors (#12384)
-- feat(deps): Bump @opentelemetry/propagator-aws-xray from 1.3.1 to 1.24.1 (#12333)
-- feat(deps): Bump @sentry/cli from 2.31.2 to 2.32.1 (#12332)
-- feat(redis): Support `mget` command in caching functionality (#12380)
-- feat(vercel-edge): Export core integrations from Vercel edge SDK (#12308)
-- fix(browser): Fix idle span ending (#12306)
-- fix(browser): Fix parenthesis parsing logic for chromium (#12373)
-- fix(browser): Fix types export path for CJS (#12305)
-- fix(feedback): Override TriggerLabel Option (#12316)
-- fix(feedback): Wait for document to be ready before doing autoinject (#12294)
-- fix(nextjs): Fix memory leak (#12335)
-- fix(nextjs): Fix version detection and option insertion logic for `clientTraceMetadata` option (#12323)
-- fix(nextjs): Update argument name in log message about `sentry` property on Next.js config object (#12366)
-- fix(node): Do not manually finish / update root Hapi spans. (#12287)
-- fix(node): Fix virtual parent span ID handling & update create-next-app E2E test (#12368)
-- fix(node): Skip capturing Hapi Boom responses v8. (#12288)
-- fix(performance): Fix LCP not getting picked up on initial pageload transaction by setting reportAllChanges to true
- (#12360)
-- fix(replay): Avoid infinite loop of logs (#12309)
-- fix(replay): Ignore old events when manually starting replay (#12349)
-- ref(browser): Ensure idle span ending is consistent (#12310)
-- ref(profiling): unref timer (#12340)
-
-Work in this release contributed by @dohooo, @mohd-akram, and @ykzts. Thank you for your contributions!
-
-## 8.7.0
-
-### Important Changes
-
-- **feat(react): Add TanStack Router integration (#12095)**
-
- This release adds instrumentation for TanStack router with a new `tanstackRouterBrowserTracingIntegration` in the
- `@sentry/react` SDK:
-
- ```javascript
- import * as Sentry from '@sentry/react';
- import { createRouter } from '@tanstack/react-router';
-
- const router = createRouter({
- // Your router options...
- });
-
- Sentry.init({
- dsn: '___PUBLIC_DSN___',
- integrations: [Sentry.tanstackRouterBrowserTracingIntegration(router)],
- tracesSampleRate: 1.0,
- });
- ```
-
-### Other Changes
-
-- fix(nextjs): Do not hide `sourceMappingURL` comment on client when `nextConfig.productionBrowserSourceMaps: true` is
- set (#12278)
-
-## 8.6.0
-
-### Important Changes
-
-- **feat(metrics): Add `timings` method to metrics (#12226)**
-
- This introduces a new method, `metrics.timing()`, which can be used in two ways:
-
- 1. With a numeric value, to simplify creating a distribution metric. This will default to `second` as unit:
-
- ```js
- Sentry.metrics.timing('myMetric', 100);
- ```
-
- 2. With a callback, which will wrap the duration of the callback. This can accept a sync or async callback. It will
- create an inactive span around the callback and at the end emit a metric with the duration of the span in seconds:
-
- ```js
- const returnValue = Sentry.metrics.timing('myMetric', measureThisFunction);
- ```
-
-- **feat(react): Add `Sentry.reactErrorHandler` (#12147)**
-
- This PR introduces `Sentry.reactErrorHandler`, which you can use in React 19 as follows:
-
- ```js
- import * as Sentry from '@sentry/react';
- import { hydrateRoot } from 'react-dom/client';
-
- ReactDOM.hydrateRoot(
- document.getElementById('root'),
-
-
- ,
- {
- onUncaughtError: Sentry.reactErrorHandler(),
- onCaughtError: Sentry.reactErrorHandler((error, errorInfo) => {
- // optional callback if users want custom config.
- }),
- },
- );
- ```
-
- For more details, take a look at [the PR](https://github.com/getsentry/sentry-javascript/pull/12147). Our
- documentation will be updated soon!
-
-### Other Changes
-
-- feat(sveltekit): Add request data to server-side events (#12254)
-- fix(core): Pass in cron monitor config correctly (#12248)
-- fix(nextjs): Don't capture suspense errors in server components (#12261)
-- fix(tracing): Ensure sent spans are limited to 1000 (#12252)
-- ref(core): Use versioned carrier on global object (#12206)
-
-## 8.5.0
-
-### Important Changes
-
-- **feat(react): Add React 19 to peer deps (#12207)**
-
-This release adds support for React 19 in the `@sentry/react` SDK package.
-
-- **feat(node): Add `@sentry/node/preload` hook (#12213)**
-
-This release adds a new way to initialize `@sentry/node`, which allows you to use the SDK with performance
-instrumentation even if you cannot call `Sentry.init()` at the very start of your app.
-
-First, run the SDK like this:
-
-```bash
-node --require @sentry/node/preload ./app.js
-```
-
-Now, you can initialize and import the rest of the SDK later or asynchronously:
-
-```js
-const express = require('express');
-const Sentry = require('@sentry/node');
-
-const dsn = await getSentryDsn();
-Sentry.init({ dsn });
-```
-
-For more details, head over to the
-[PR Description of the new feature](https://github.com/getsentry/sentry-javascript/pull/12213). Our docs will be updated
-soon with a new guide.
-
-### Other Changes
-
-- feat(browser): Do not include metrics in base CDN bundle (#12230)
-- feat(core): Add `startNewTrace` API (#12138)
-- feat(core): Allow to pass custom scope to `captureFeedback()` (#12216)
-- feat(core): Only allow `SerializedSession` in session envelope items (#11979)
-- feat(nextjs): Use Vercel's `waitUntil` to defer freezing of Vercel Lambdas (#12133)
-- feat(node): Ensure manual OTEL setup works (#12214)
-- fix(aws-serverless): Avoid minifying `Module._resolveFilename` in Lambda layer bundle (#12232)
-- fix(aws-serverless): Ensure lambda layer uses default export from `ImportInTheMiddle` (#12233)
-- fix(browser): Improve browser extension error message check (#12146)
-- fix(browser): Remove optional chaining in INP code (#12196)
-- fix(nextjs): Don't report React postpone errors (#12194)
-- fix(nextjs): Use global scope for generic event filters (#12205)
-- fix(node): Add origin to redis span (#12201)
-- fix(node): Change import of `@prisma/instrumentation` to use default import (#12185)
-- fix(node): Only import `inspector` asynchronously (#12231)
-- fix(replay): Update matcher for hydration error detection to new React docs (#12209)
-- ref(profiling-node): Add warning when using non-LTS node (#12211)
-
-## 8.4.0
-
-### Important Changes
-
-- **feat(nextjs): Trace pageloads in App Router (#12157)**
-
-If you are using Next.js version `14.3.0-canary.64` or above, the Sentry Next.js SDK will now trace clientside pageloads
-with React Server Components. This means, that client-side errors like
-`Error: An error occurred in the Server Components render.`, which previously didn't give you much information on how
-that error was caused, can now be traced back to a specific error in a server component.
-
-- **feat(angular): Add Support for Angular 18 (#12183)**
-
-This release guarantees support for Angular 18 with `@sentry/angular`.
-
-### Other Changes
-
-- feat(deps): Bump @opentelemetry/instrumentation-aws-lambda from 0.41.0 to 0.41.1 (#12078)
-- fix(metrics): Ensure string values are interpreted for metrics (#12165)
-
-## 8.3.0
-
-### Important Changes
-
-- **Better Node Framework Span Data**
-
-This release improves data quality of spans emitted by Express, Fastify, Connect, Koa, Nest.js and Hapi.
-
-- feat(node): Ensure connect spans have better data (#12130)
-- feat(node): Ensure express spans have better data (#12107)
-- feat(node): Ensure fastify spans have better data (#12106)
-- feat(node): Ensure hapi spans have better data (#12140)
-- feat(node): Ensure koa spans have better data (#12108)
-- feat(node): Ensure Nest.js spans have better data (#12139)
-- feat(deps): Bump @opentelemetry/instrumentation-express from 0.38.0 to 0.39.0 (#12079)
-
-- **feat(node): No-code init via `--import=@sentry/node/init` (#11999)**
-
-When using Sentry in ESM mode, you can now use Sentry without manually calling init like this:
-
-```bash
- SENTRY_DSN=https://examplePublicKey@o0.ingest.sentry.io/0 node --import=@sentry/node/init app.mjs
-```
-
-When using CommonJS, you can do:
-
-```bash
- SENTRY_DSN=https://examplePublicKey@o0.ingest.sentry.io/0 node --require=@sentry/node/init app.js
-```
-
-### Other Changes
-
-- chore: Align and update MIT license dates (#12143)
-- chore: Resolve or postpone a random assortment of TODOs (#11977)
-- doc(migration): Add entry for runWithAsyncContext (#12153)
-- docs: Add migration docs to point out that default import does not work (#12100)
-- docs(sveltekit): process.env.SENTRY_AUTH_TOKEN (#12118)
-- feat(browser): Ensure `browserProfilingIntegration` is published to CDN (#12158)
-- feat(google-cloud): Expose ESM build (#12149)
-- feat(nextjs): Ignore Prisma critical dependency warnings (#12144)
-- feat(node): Add app.free_memory info to events (#12150)
-- feat(node): Do not create GraphQL resolver spans by default (#12097)
-- feat(node): Use `node:` prefix for node built-ins (#11895)
-- feat(replay): Use unwrapped `setTimeout` to avoid e.g. angular change detection (#11924)
-- fix(core): Add dsn to span envelope header (#12096)
-- fix(feedback): Improve feedback border color in dark-mode, and prevent auto-dark mode when a theme is picked (#12126)
-- fix(feedback): Set optionOverrides to be optional in TS definition (#12125)
-- fix(nextjs): Don't put `undefined` values in props (#12131)
-- fix(nextjs): Fix legacy configuration method detection for emitting warning (#12136)
-- fix(node): Ensure fetch/http breadcrumbs are created correctly (#12137)
-- fix(node): Update `@prisma/instrumentation` from 5.13.0 to 5.14.0 (#12081)
-- ref(node): Add log for running in ESM/CommonJS mode (#12134)
-- ref(node): Handle failing hook registration gracefully (#12135)
-- ref(node): Only show instrumentation warning when tracing is enabled (#12141)
-
-Work in this release contributed by @pboling. Thank you for your contribution!
-
-## 8.2.1
-
-- fix(aws-serverless): Fix build of lambda layer (#12083)
-- fix(nestjs): Broaden nest.js type (#12076)
-
-## 8.2.0
-
-- feat(redis-cache): Create cache-span with prefixed keys (get/set commands) (#12070)
-- feat(core): Add `beforeSendSpan` hook (#11886)
-- feat(browser): Improve idle span handling (#12065)
-- fix(node): Set transactionName for unsampled spans in httpIntegration (#12071)
-- fix(core): Export Scope interface as `Scope` (#12067)
-- fix(core): Avoid looking up client for `hasTracingEnabled()` if possible (#12066)
-- fix(browser): Use consistent timestamps (#12063)
-- fix(node): Fix check for performance integrations (#12043)
-- ref(sveltekit): Warn to delete source maps if Sentry plugin enabled source maps generation (#12072)
-
-## 8.1.0
-
-This release mainly fixes a couple of bugs from the initial [8.0.0 release](#800). In addition to the changes below, we
-updated some initially missed points in our migration guides and documentation.
-
-- feat(aws-serverless): Fix tree-shaking for aws-serverless package (#12017)
-- feat(node): Bump opentelemetry instrumentation to latest version (#12028)
-- feat(scope): Bring back `lastEventId` on isolation scope (#11951) (#12022)
-- fix(aws-serverless): Export `awslambda-auto`
-- fix(node): Do not warn for missing instrumentation if SDK is disabled (#12041)
-- fix(react): Set dependency-injected functions as early as possible (#12019)
-- fix(react): Warn and fall back gracefully if dependency injected functions are not available (#12026)
-- ref(core): Streamline `parseSampleRate` utility function (#12024)
-- ref(feedback): Make `eventId` optional and use `lastEventId` in report dialog (#12029)
-
-## 8.0.0
-
-The Sentry JS SDK team is proud to announce the release of version `8.0.0` of Sentry's JavaScript SDKs - it's been a
-long time coming! Thanks to everyone for your patience and a special shout out to the brave souls testing preview builds
-and reporting issues - we appreciate your support!
-
----
-
-### How to Upgrade to Version 8:
-
-We recommend reading the
-[migration guide docs](https://docs.sentry.io/platforms/javascript/migration/v7-to-v8/#migration-codemod) to find out
-how to address any breaking changes in your code for your specific platform or framework.
-
-To automate upgrading to v8 as much as possible, use our migration codemod `@sentry/migr8`:
-
-```sh
-npx @sentry/migr8@latest
-```
-
-All deprecations from the v7 cycle, with the exception of `getCurrentHub()`, have been removed and can no longer be used
-in v8. If you have an advanced Sentry SDK setup, we additionally recommend reading the
-[in-depth migration guide](./MIGRATION.md) in our repo which highlights all changes with additional details and
-information.
-
-The rest of this changelog highlights the most important (breaking) changes and links to more detailed information.
-
-### Version Support
-
-With v8, we dropped support for several old runtimes and browsers
-
-**Node SDKs:** The Sentry JavaScript SDK v8 now supports **Node.js 14.8.0 or higher**. This applies to `@sentry/node`
-and all of our node-based server-side sdks (`@sentry/nextjs`, `@sentry/remix`, etc.). Furthermore, version 8 now ships
-with full support for ESM-based node apps using **Node.js 18.19.0 or higher**.
-
-**Browser SDKs:** The browser SDKs now require
-[**ES2018+**](https://caniuse.com/?feats=mdn-javascript_builtins_regexp_dotall,js-regexp-lookbehind,mdn-javascript_builtins_regexp_named_capture_groups,mdn-javascript_builtins_regexp_property_escapes,mdn-javascript_builtins_symbol_asynciterator,mdn-javascript_functions_method_definitions_async_generator_methods,mdn-javascript_grammar_template_literals_template_literal_revision,mdn-javascript_operators_destructuring_rest_in_objects,mdn-javascript_operators_destructuring_rest_in_arrays,promise-finally)
-compatible browsers. New minimum browser versions:
-
-- Chrome 71
-- Edge 79
-- Safari 12.1, iOS Safari 12.2
-- Firefox 65
-- Opera 58
-- Samsung Internet 10
-
-For more details, please see the
-[version support section in our migration guide](./MIGRATION.md#1-version-support-changes).
-
-### Initializing Server-side SDKs (Node, Bun, Deno, Serverless):
-
-In v8, we support a lot more node-based packages than before. In order to ensure auto-instrumentation works, the SDK now
-needs to be imported and initialized before any other import in your code.
-
-We recommend creating a new file (e.g. `instrumentation.js`) to import and initialize the SDK. Then, import the file on
-top of your entry file or detailed instructions, check our updated SDK setup docs
-[initializing the SDK in v8](https://docs.sentry.io/platforms/javascript/guides/node/).
-
-### Performance Monitoring Changes
-
-The API around performance monitoring and tracing has been streamlined, and we've added support for more integrations
-out of the box.
-
-- [Performance Monitoring API](./MIGRATION.md#performance-monitoring-api)
-- [Performance Monitoring Integrations](./MIGRATION.md#performance-monitoring-integrations)
-
-### Functional Integrations
-
-Integrations are now simple functions instead of classes. Class-based integrations
-[have been removed](./MIGRATION.md#removal-of-class-based-integrations):
-
-```javascript
-// old (v7)
-Sentry.init({
- integrations: [new Sentry.BrowserTracing()],
-});
-
-// new (v8)
-Sentry.init({
- integrations: [Sentry.browserTracingIntegration()],
-});
-```
-
-### Package removal
-
-The following packages have been removed or replaced and will no longer be published:
-
-- [`@sentry/hub`](./MIGRATION.md#sentryhub)
-- [`@sentry/tracing`](./MIGRATION.md#sentrytracing)
-- [`@sentry/integrations`](./MIGRATION.md#sentryintegrations)
-- [`@sentry/serverless`](./MIGRATION.md#sentryserverless)
-- [`@sentry/replay`](./MIGRATION.md#sentryreplay)
-
-### Changes since `8.0.0-rc.3`
-
-- **feat(nextjs): Remove `transpileClientSDK` (#11978)**
-
- As we are dropping support for Internet Explorer 11 and other other older browser versions wih version `8.0.0`, we are
- also removing the `transpileClientSDK` option from the Next.js SDK. If you need to support these browser versions,
- please configure Webpack and Next.js to down-compile the SDK.
-
-- **feat(serverless): Do not include performance integrations by default (#11998)**
-
- To keep Lambda bundle size reasonable, the SDK no longer ships with all performance (database) integrations by
- default. Add the Sentry integrations of the databases and other tools you're using manually to your `Sentry.init` call
- by following
- [this guide](https://docs.sentry.io/platforms/javascript/configuration/integrations/#modifying-default-integrations).
- Note that this change does not apply if you use the SDK with the Sentry AWS Lambda layer.
-
-- feat(feedback): Simplify public css configuration for feedback (#11985)
-- fix(feedback): Check for empty user (#11993)
-- fix(replay): Fix type for `replayCanvasIntegration` (#11995)
-- fix(replay): Fix user activity not being updated in `start()` (#12001)
-
-## 8.0.0-rc.3
-
-### Important Changes
-
-- **feat(bun): Add Bun Global Unhandled Handlers (#11960)**
-
-The Bun SDK will now capture global unhandled errors.
-
-### Other Changes
-
-- feat(node): Log process and thread info on initialisation (#11972)
-- fix(aws-serverless): Include ESM artifacts in package (#11973)
-- fix(browser): Only start `http.client` spans if there is an active parent span (#11974)
-- fix(feedback): Improve CSS theme variable names and layout (#11964)
-- fix(node): Ensure `execArgv` are not sent to worker threads (#11963)
-- ref(feedback): Simplify feedback function params (#11957)
-
-## 8.0.0-rc.2
-
-### Important Changes
-
-- **feat(node): Register ESM patching hooks in init for supported Node.js versions**
-
-This release includes adds support for ESM when `Sentry.init()` is called within a module imported via the `--import`
-Node.js flag:
-
-```sh
-node --import ./your-file-with-sentry-init.mjs your-app.mjs
-```
-
-Note that the SDK only supports ESM for node versions `18.19.0` and above, and `20.6.0` above.
-
-### Other Changes
-
-- deps(node): Bump `@opentelemetry/core` to `1.24.1` and `@opentelemetry/instrumentation` to `0.51.1` (#11941)
-- feat(connect): Warn if connect is not instrumented (#11936)
-- feat(express): Warn if express is not instrumented (#11930)
-- feat(fastify): Warn if fastify is not instrumented (#11917)
-- feat(hapi): Warn if hapi is not instrumented (#11937)
-- feat(koa): Warn if koa is not instrumented (#11931)
-- fix(browser): Continuously record CLS web vital (#11934)
-- fix(feedback): Pick user from any scope (#11928)
-- fix(node): Fix cron instrumentation and add tests (#11811)
-
-## 8.0.0-rc.1
-
-This release contains no changes and was done for technical purposes. This version is considered stable.
-
-For the sake of completeness this changelog entry includes the changes from the previous release candidate:
-
-We recommend to read the detailed [migration guide](https://docs.sentry.io/platforms/javascript/migration/v7-to-v8/) in
-the docs.
-
-### Important Changes
-
-- **feat(node): Support hapi v21 & fix E2E test (#11906)**
-
-We now support hapi v21 and added tests for it.
-
-- **feat(node): Warn if ESM mode is detected (#11914)**
-
-When running Sentry in ESM mode, we will now warn you that this is not supported as of now. We are working on ensuring
-support with ESM builds.
-
-### Other Changes
-
-- feat(feedback): Iterate on css for better scrolling & resizing when browser is small (#11893)
-- fix(node): Ensure prisma integration creates valid DB spans (#11908)
-- fix(node): Include loader hook files in package.json (#11911)
-
-## 8.0.0-rc.0
-
-This is the first release candidate of Sentry JavaScript SDK v8.
-
-We recommend to read the detailed [migration guide](https://docs.sentry.io/platforms/javascript/migration/v7-to-v8/) in
-the docs.
-
-### Important Changes
-
-- **feat(node): Support hapi v21 & fix E2E test (#11906)**
-
-We now support hapi v21 and added tests for it.
-
-- **feat(node): Warn if ESM mode is detected (#11914)**
-
-When running Sentry in ESM mode, we will now warn you that this is not supported as of now. We are working on ensuring
-support with ESM builds.
-
-### Other Changes
-
-- feat(feedback): Iterate on css for better scrolling & resizing when browser is small (#11893)
-- fix(node): Ensure prisma integration creates valid DB spans (#11908)
-- fix(node): Include loader hook files in package.json (#11911)
-
-## 8.0.0-beta.6
-
-This beta release contains various bugfixes and improvements for the v8 beta cycle.
-
-- feat: Add `tunnel` support to multiplexed transport (#11806)
-- feat: Export `spanToBaggageHeader` utility (#11881)
-- feat(browser): Disable standalone `http.client` spans (#11879)
-- feat(ember): Update ember dependencies (#11753)
-- feat(fedback): Convert CDN bundles to use async feedback for lower bundle sizes (#11791)
-- feat(feedback): Add `captureFeedback` method (#11428)
-- feat(feedback): Have screenshot by default (#11839)
-- feat(integrations): Add zod integration (#11144)
-- feat(ioredis): Add integration for `ioredis` (#11856)
-- feat(nextjs): Add transaction name to scope of server component (#11850)
-- feat(nextjs): Be smarter in warning about old ways of init configuration (#11882)
-- feat(nextjs): Set transaction names on scope for route handlers and generation functions (#11869)
-- feat(node): Support Node 22 (#11871)
-- fix(angular): Run tracing calls outside Angular (#11748)
-- fix(feedback): Be consistent about whether screenshot should and can render (#11859)
-- fix(nestjs): Ensure Nest.js interceptor works with non-http context (#11880)
-- fix(node): Fix nest.js error handler (#11874)
-- fix(react): Fix react router v4/v5 instrumentation (#11855)
-- ref: Add geo location types (#11847)
-
-## 8.0.0-beta.5
-
-This beta release contains various bugfixes and improvements for the v8 beta cycle.
-
-### Important Changes
-
-- **feat(svelte): Add Svelte 5 support (#11807)**
-
-We now officially support Svelte 5.
-
-- **feat(browser): Send standalone fetch and XHR spans if there's no active parent span (#11783)**
-
-Starting with this version, spans for outgoing fetch/xhr requests will be captured even if no pageload/navigation span
-is ongoing. This means that you will be able to have a more complete trace, especially for web applications that make a
-lot of HTTP requests on longer lived pages.
-
-### Other Changes
-
-- feat(astro): Add `transactionName` to isolation scope for requests (#11786)
-- feat(browser): Create standalone INP spans via `startInactiveSpan` (#11788)
-- feat(core): Add `trace` envelope header to span envelope (#11699)
-- feat(core): Add options to start standalone (segment) spans via `start*Span` APIs (#11696)
-- feat(core): Set default scope for BaseClient methods (#11775)
-- feat(core): Wrap cron `withMonitor` callback in `withIsolationScope` (#11797)
-- feat(feedback): New feedback button design (#11641)
-- feat(nextjs): Add `transactionName` to isolation scope for Next.js server side features (#11782)
-- feat(nextjs): Mute webpack warnings about critical dependencies inside `@opentelemetry/instrumentation` (#11810)
-- feat(node): Upgrade @prisma/instrumentation to 5.13.0 (#11779)
-- feat(react): type error as unknown in ErrorBoundary (#11819)
-- feat(remix): Add `wrapHandleErrorWithSentry` (#10370)
-- feat(remix): Set `formData` as `action` span data. (#10836)
-- feat(remix): Update scope `transactionName` for Remix server features (#11784)
-- fix(angular): Call `showReportDialog` in root context (#11703)
-- fix(core): Capture only failed console.assert calls (#11799)
-- fix(ember): Ensure unnecessary spans are avoided (#11846)
-- fix(feedback): Clarify the difference between createWidget and create Form in the feedback public api (#11838)
-- fix(feedback): Fix feedback type (#11787)
-- fix(feedback): Vendor preact into bundle (#11845)
-- fix(remix): Rethrow `loader`, `action` and `documentRequest` errors (#11793)
-- ref: Always return an immediately generated event ID from `captureException()`, `captureMessage()`, and
- `captureEvent()` (#11805)
-- ref(core): Remove transaction name extraction from `requestDataIntegration` (#11513)
-- ref(svelte): Use `onlyIfParent` for recording component update spans (#11809)
-
-## 8.0.0-beta.4
-
-### Important Changes
-
-- **feat(browser): Add INP support for v8 (#11650)**
-
-INP web vital support was now forward-ported to version 8. Recording of INP data is enabled by default.
-
-- **feat(core): Increase default transport buffer size from 30 to 64 (#11764)**
-
-The default limit of queued events to be sent was increased from 30 to 64 events. You may observe a higher memory
-footprint of the SDK. You can override this limit by setting the `transportOptions.bufferSize` option in
-`Sentry.init()`.
-
-- **feat(replay): Add "maxCanvasSize" option for replay canvases (#11617)**
-
-A `maxCanvasSize` option was added to the `replayCanvasIntegration` to disallow capturing of canvases larger than a
-certain size. This value defaults to `1280` which will not capture canvases bigger than 1280x1280 pixels.
-
-### Other Changes
-
-- deps: Downgrade `@opentelemetry/instrumentation-http` to `0.48.0` (#11745)
-- deps(nextjs): Remove unnecessary and faulty `@opentelemetry/api` dependency from Next.js package (#11717)
-- feat(aws): Add OTEL based integrations (#11548)
-- feat(core): Ensure trace context only includes relevant data (#11713)
-- feat(deps): Bump @opentelemetry/instrumentation-fastify from 0.33.0 to 0.35.0 (#11690)
-- feat(deps): Bump @opentelemetry/instrumentation-graphql from 0.37.0 to 0.39.0 (#11692)
-- feat(deps): Bump @opentelemetry/instrumentation-http from 0.48.0 to 0.50.0 (#11725)
-- feat(deps): Bump @opentelemetry/instrumentation-mongoose from 0.35.0 to 0.37.0 (#11693)
-- feat(deps): Bump @opentelemetry/instrumentation-mysql2 from 0.35.0 to 0.37.0 (#11726)
-- feat(deps): Bump @opentelemetry/instrumentation-nestjs-core from 0.34.0 to 0.36.0 (#11727)
-- feat(deps): Bump @opentelemetry/sdk-metrics from 1.21.0 to 1.23.0 (#11695)
-- feat(deps): Bump @prisma/instrumentation from 5.9.0 to 5.12.1 (#11724)
-- feat(feedback): Create async bundles and code to resolve helper integrations (#11621)
-- feat(nextjs): Sample out low-quality spans on older Next.js versions (#11722)
-- feat(opentelemetry): Support new http method attribute (#11756)
-- feat(opentelemetry): Use rest args for addOpenTelemetryInstrumentation (#11721)
-- feat(replay): Upgrade rrweb packages to 2.15.0 (#11736)
-- fix(browser): Ensure `lazyLoadIntegration` works in NPM mode (#11673)
-- fix(browser): Set custom sentry source correctly (#11735)
-- fix(ember): Do not create rendering spans without transaction (#11749)
-- fix(serverless): Check if cloud event callback is a function (#9044) (#11701)
-- ref(nextjs): Remove unnecessary logic to filter symbolification/sentry spans (#11714)
-
-## 8.0.0-beta.3
-
-### Important Changes
-
-- **feat(opentelemetry): Add `addOpenTelemetryInstrumentation` (#11667)**
-
-A utility function `addOpenTelemetryInstrumentation` was added that allows for the registration of instrumentations that
-conform to the OpenTelemetry JS API without having to specify `@opentelemetry/instrumentation` as a dependency.
-
-- **ref(core): Don't start transaction for trpc middleware (#11697)**
-
-Going forward, the Sentry `trpcMiddleware` will only create spans. Previously it used to always create a transaction.
-This change was made to integrate more nicely with the HTTP instrumentation added in earlier versions to avoid creating
-unnecessary transactions.
-
-### Other Changes
-
-- feat(nextjs): Instrument outgoing http requests (#11685)
-- feat(opentelemetry): Remove setupGlobalHub (#11668)
-- fix: Missing ErrorEvent export are added to node, browser, bun, deno, vercel-edge sub-packages (#11649)
-- fix(nextjs): Do not sample next spans if they have remote parent (#11680)
-- fix(nextjs): Re-enable OTEL fetch instrumentation and disable Next.js fetch instrumentation (#11686)
-- fix(node): Ensure DSC on envelope header uses root span (#11683)
-- ref(browser): Streamline pageload span creation and scope handling (#11679)
-- ref(core): Directly use endSession (#11669)
-
-## 8.0.0-beta.2
-
-### Important Changes
-
-- **feat(browser): Update `propagationContext` on `spanEnd` to keep trace consistent**
-
-To ensure consistency throughout a route's duration, we update the scope's propagation context when the initial page
-load or navigation span ends. This keeps span-specific attributes like the sampled decision and dynamic sampling context
-on the scope, even after the transaction has ended.
-
-- **fix(browser): Don't assume window.document is available (#11602)**
-
-We won't assume `window.dodument` is available in the browser SDKs anymore. This should prevent errors in environments
-where `window.document` is not available (such as web workers).
-
-### Other changes
-
-- feat(core): Add `server.address` to browser `http.client` spans (#11634)
-- feat(opentelemetry): Update OTEL packages & relax some version ranges (#11580)
-- feat(deps): bump @opentelemetry/instrumentation-hapi from 0.34.0 to 0.36.0 (#11496)
-- feat(deps): bump @opentelemetry/instrumentation-koa from 0.37.0 to 0.39.0 (#11495)
-- feat(deps): bump @opentelemetry/instrumentation-pg from 0.38.0 to 0.40.0 (#11494)
-- feat(nextjs): Skip OTEL root spans emitted by Next.js (#11623)
-- feat(node): Collect Local Variables via a worker (#11586)
-- fix(nextjs): Escape Next.js' OpenTelemetry instrumentation (#11625)
-- fix(feedback): Fix timeout on feedback submission (#11619)
-- fix(node): Allow use of `NodeClient` without calling `init` (#11585)
-- fix(node): Ensure DSC is correctly set in envelope headers (#11628)
-
-## 8.0.0-beta.1
-
-This is the first beta release of Sentry JavaScript SDK v8. With this release, there are no more planned breaking
-changes for the v8 cycle.
-
-Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code. All
-deprecations from the v7 cycle, with the exception of `getCurrentHub()`, have been removed and can no longer be used in
-v8.
-
-### Version Support
-
-The Sentry JavaScript SDK v8 now supports Node.js 14.8.0 or higher. This applies to `@sentry/node` and all of our
-node-based server-side sdks (`@sentry/nextjs`, `@sentry/remix`, etc.).
-
-The browser SDKs now require
-[ES2018+](https://caniuse.com/?feats=mdn-javascript_builtins_regexp_dotall,js-regexp-lookbehind,mdn-javascript_builtins_regexp_named_capture_groups,mdn-javascript_builtins_regexp_property_escapes,mdn-javascript_builtins_symbol_asynciterator,mdn-javascript_functions_method_definitions_async_generator_methods,mdn-javascript_grammar_template_literals_template_literal_revision,mdn-javascript_operators_destructuring_rest_in_objects,mdn-javascript_operators_destructuring_rest_in_arrays,promise-finally)
-compatible browsers. New minimum browser versions:
-
-- Chrome 63
-- Edge 79
-- Safari/iOS Safari 12
-- Firefox 58
-- Opera 50
-- Samsung Internet 8.2
-
-For more details, please see the [version support section in migration guide](./MIGRATION.md#1-version-support-changes).
-
-### Package removal
-
-The following packages will no longer be published
-
-- [@sentry/hub](./MIGRATION.md#sentryhub)
-- [@sentry/tracing](./MIGRATION.md#sentrytracing)
-- [@sentry/integrations](./MIGRATION.md#sentryintegrations)
-- [@sentry/serverless](./MIGRATION.md#sentryserverless)
-- [@sentry/replay](./MIGRATION.md#sentryreplay)
-
-### Initializing Server-side SDKs (Node, Bun, Next.js, SvelteKit, Astro, Remix):
-
-Initializing the SDKs on the server-side has been simplified. More details in our migration docs about
-[initializing the SDK in v8](./MIGRATION.md/#initializing-the-node-sdk).
-
-### Performance Monitoring Changes
-
-The API around performance monitoring and tracing has been vastly improved, and we've added support for more
-integrations out of the box.
-
-- [Performance Monitoring API](./MIGRATION.md#performance-monitoring-api)
-- [Performance Monitoring Integrations](./MIGRATION.md#performance-monitoring-integrations)
-
-### Important Changes since v8.0.0-alpha.9
-
-- **feat(browser): Create spans as children of root span by default (#10986)**
-
-Because execution context isolation in browser environments does not work reliably, we deciced to keep a flat span
-hierarchy by default in v8.
-
-- **feat(core): Deprecate `addTracingExtensions` (#11579)**
-
-Instead of calling `Sentry.addTracingExtensions()` if you want to use performance in a browser SDK without using
-`browserTracingIntegration()`, you should now call `Sentry.registerSpanErrorInstrumentation()`.
-
-- **feat(core): Implement `suppressTracing` (#11468)**
-
-You can use the new `suppressTracing` API to ensure a given callback will not generate any spans:
-
-```js
-return Sentry.suppressTracing(() => {
- // Ensure this fetch call does not generate a span
- return fetch('/my-url');
-});
-```
-
-- **feat: Rename ESM loader hooks to `import` and `loader` (#11498)**
-
-We renamed the loader hooks for better clarity:
-
-```sh
-# For Node.js <= 18.18.2
-node --loader=@sentry/node/loader app.js
-
-# For Node.js >= 18.19.0
-node --import=@sentry/node/import app.js
-```
-
-- **feat(node): Do not exit process by default when other `onUncaughtException` handlers are registered in
- `onUncaughtExceptionIntegration` (#11532)**
-
-In v8, we will no longer exit the node process by default if other uncaught exception handlers have been registered by
-the user.
-
-- **Better handling of transaction name for errors**
-
-We improved the way we keep the transaction name for error events, even when spans are not sampled or performance is
-disabled.
-
-- feat(fastify): Update scope `transactionName` when handling request (#11447)
-- feat(hapi): Update scope `transactionName` when handling request (#11448)
-- feat(koa): Update scope `transactionName` when creating router span (#11476)
-- feat(sveltekit): Update scope transactionName when handling server-side request (#11511)
-- feat(nestjs): Update scope transaction name with parameterized route (#11510)
-
-### Removal/Refactoring of deprecated functionality
-
-- feat(core): Remove `getCurrentHub` from `AsyncContextStrategy` (#11581)
-- feat(core): Remove `getGlobalHub` export (#11565)
-- feat(core): Remove `Hub` class export (#11560)
-- feat(core): Remove most Hub class exports (#11536)
-- feat(nextjs): Remove webpack 4 support (#11605)
-- feat(vercel-edge): Stop using hub (#11539)
-
-### Other Changes
-
-- feat: Hoist `getCurrentHub` shim to core as `getCurrentHubShim` (#11537)
-- feat(core): Add default behaviour for `rewriteFramesIntegration` in browser (#11535)
-- feat(core): Ensure replay envelopes are sent in order when offline (#11413)
-- feat(core): Extract errors from props in unkown inputs (#11526)
-- feat(core): Update metric normalization (#11518)
-- feat(feedback): Customize feedback placeholder text color (#11417)
-- feat(feedback): Maintain v7 compat in the @sentry-internal/feedback package (#11461)
-- feat(next): Handle existing root spans for isolation scope (#11479)
-- feat(node): Ensure tracing without performance (TWP) works (#11564)
-- feat(opentelemetry): Export `getRequestSpanData` (#11508)
-- feat(opentelemetry): Remove otel.attributes in context (#11604)
-- feat(ratelimit): Add metrics rate limit (#11538)
-- feat(remix): Skip span creation for `OPTIONS` and `HEAD` requests. (#11149)
-- feat(replay): Merge packages together & ensure bundles are built (#11552)
-- feat(tracing): Adds span envelope and datacategory (#11534)
-- fix(browser): Ensure pageload trace remains active after pageload span finished (#11600)
-- fix(browser): Ensure tracing without performance (TWP) works (#11561)
-- fix(nextjs): Fix `tunnelRoute` matching logic for hybrid cloud (#11576)
-- fix(nextjs): Remove Http integration from Next.js (#11304)
-- fix(node): Ensure isolation scope is correctly cloned for non-recording spans (#11503)
-- fix(node): Make fastify types more broad (#11544)
-- fix(node): Send ANR events without scope if event loop blocked indefinitely (#11578)
-- fix(tracing): Fixes latest route name and source not updating correctly (#11533)
-- ref(browser): Move browserTracing into browser pkg (#11484)
-- ref(feedback): Configure font size (#11437)
-- ref(feedback): Refactor Feedback types into @sentry/types and reduce the exported surface area (#11355)
-
-## 8.0.0-beta.0
-
-This release failed to publish correctly. Use 8.0.0-beta.1 instead.
-
-## 8.0.0-alpha.9
-
-This is the eighth alpha release of Sentry JavaScript SDK v8, which includes a variety of breaking changes.
-
-Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code.
-
-### Important Changes
-
-- **feat: Add @sentry-internal/browser-utils (#11381)**
-
-A big part of the browser-runtime specific exports of the internal `@sentry/utils` package were moved into a new package
-`@sentry-internal/browser-utils`. If you imported any API from `@sentry/utils` (which is generally not recommended but
-necessary for some workarounds), please check that your import statements still point to existing exports after
-upgrading.
-
-- **feat: Add loader file to node-based SDKs to support ESM monkeypatching (#11338)**
-
-When using ESM, it is necessary to use a "loader" to be able to instrument certain third-party packages and Node.js API.
-The server-side SDKs now ship with a set of ESM loader hooks, that should be used when using ESM. Use them as follows:
-
-```sh
-# For Node.js <= 18.18.2
-node --experimental-loader=@sentry/node/hook your-app.js
-
-# For Node.js >= 18.19.0
-node --import=@sentry/node/register your-app.js
-```
-
-Please note that due to an upstream bug, these loader hooks will currently crash or simply not work. We are planning to
-fix this in upcoming versions of the SDK - definitely before a stable version 8 release.
-
-- **feat(node): Add Koa error handler (#11403)**
-- **feat(node): Add NestJS error handler (#11375)**
-
-The Sentry SDK now exports integrations and error middlewares for Koa (`koaIntegration()`, `setupKoaErrorHandler()`) and
-NestJS (`setupNestErrorHandler()`) that can be used to instrument your Koa and NestJS applications with error
-monitoring.
-
-### Removal/Refactoring of deprecated functionality
-
-- feat(core): Remove hub check in isSentryRequestUrl (#11407)
-- feat(opentelemetry): Remove top level startActiveSpan (#11380)
-- feat(types): `beforeSend` and `beforeSendTransaction` breaking changes (#11354)
-- feat(v8): Remove all class based integrations (#11345)
-- feat(v8/core): Remove span.attributes top level field (#11378)
-- ref: Remove convertIntegrationFnToClass (#11343)
-- ref(node): Remove the old `node` package (#11322)
-- ref(tracing): Remove `span.startChild()` (#11376)
-- ref(v8): Remove `addRequestDataToTransaction` util (#11369)
-- ref(v8): Remove `args` on `HandlerDataXhr` (#11373)
-- ref(v8): Remove `getGlobalObject` utility method (#11372)
-- ref(v8): Remove `metadata` on transaction (#11397)
-- ref(v8): Remove `pushScope`, `popScope`, `isOlderThan`, `shouldSendDefaultPii` from hub (#11404)
-- ref(v8): Remove `shouldCreateSpanForRequest` from vercel edge options (#11371)
-- ref(v8): Remove deprecated `_reportAllChanges` option (#11393)
-- ref(v8): Remove deprecated `scope.getTransaction()` (#11365)
-- ref(v8): Remove deprecated methods on scope (#11366)
-- ref(v8): Remove deprecated span & transaction properties (#11400)
-- ref(v8): Remove Transaction concept (#11422)
-
-### Other Changes
-
-- feat: Add `trpcMiddleware` back to serverside SDKs (#11374)
-- feat: Implement timed events & remove `transaction.measurements` (#11398)
-- feat(browser): Bump web-vitals to 3.5.2 (#11391)
-- feat(feedback): Add `getFeedback` utility to get typed feedback instance (#11331)
-- feat(otel): Do not sample `options` and `head` requests (#11467)
-- feat(remix): Update scope `transactionName` when resolving route (#11420)
-- feat(replay): Bump `rrweb` to 2.12.0 (#11314)
-- feat(replay): Use data sentry element as fallback for the component name (#11383)
-- feat(sveltekit): Update scope `transactionName` when pageload route name is updated (#11406)
-- feat(tracing-internal): Reset propagation context on navigation (#11401)
-- feat(types): Add View Hierarchy types (#11409)
-- feat(utils): Use `globalThis` (#11351)
-- feat(vue): Update scope's `transactionName` when resolving a route (#11423)
-- fix(core): unref timer to not block node exit (#11430)
-- fix(node): Fix baggage propagation (#11363)
-- fix(web-vitals): Check for undefined navigation entry (#11311)
-- ref: Set preserveModules to true for browser packages (#11452)
-- ref(core): Remove duplicate logic in scope.update (#11384)
-- ref(feedback): Add font family style to actor (#11432)
-- ref(feedback): Add font family to buttons (#11414)
-- ref(gcp-serverless): Remove setting `.__sentry_transaction` (#11346)
-- ref(nextjs): Replace multiplexer with conditional exports (#11442)
-
-## 8.0.0-alpha.8
-
-This is a partially broken release and was superseded by version `8.0.0-alpha.9`.
-
-## 8.0.0-alpha.7
-
-This is the seventh alpha release of Sentry JavaScript SDK v8, which includes a variety of breaking changes.
-
-Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code.
-
-### Important Changes
-
-- **feat(nextjs): Use OpenTelemetry for performance monitoring and tracing (#11016)**
-
-We now use OpenTelemetry under the hood to power performance monitoring and tracing in the Next.js SDK.
-
-- **feat(v8/gatsby): Update SDK initialization for gatsby (#11292)**
-
-In v8, you cannot initialize the SDK anymore via Gatsby plugin options. Instead, you have to configure the SDK in a
-`sentry.config.js` file.
-
-We also removed the automatic initialization of `browserTracingIntegration`. You now have to add this integration
-yourself.
-
-### Removal/Refactoring of deprecated functionality
-
-- feat(v8): Remove addGlobalEventProcessor (#11255)
-- feat(v8): Remove deprecated span id fields (#11180)
-- feat(v8): Remove makeMain export (#11278)
-- feat(v8/core): Remove deprecated span.sampled (#11274)
-- feat(v8/core): Remove getActiveTransaction (#11280)
-- feat(v8/core): Remove spanMetadata field (#11271)
-- feat(v8/ember): Remove deprecated StartTransactionFunction (#11270)
-- feat(v8/replay): Remove deprecated replay options (#11268)
-- feat(v8/svelte): Remove deprecated componentTrackingPreprocessor export (#11277)
-- ref: Remove more usages of getCurrentHub in the codebase (#11281)
-- ref(core): Remove `scope.setSpan()` and `scope.getSpan()` methods (#11051)
-- ref(profiling-node): Remove usage of getCurrentHub (#11275)
-- ref(v8): change integration.setupOnce signature (#11238)
-- ref: remove node-experimental references (#11290)
-
-### Other Changes
-
-- feat(feedback): Make "required" text for input elements configurable (#11152) (#11153)
-- feat(feedback): Update user feedback screenshot and cropping to align with designs (#11227)
-- feat(nextjs): Remove `runtime` and `vercel` tags (#11291)
-- feat(node): Add scope to ANR events (#11256)
-- feat(node): Do not include `prismaIntegration` by default (#11265)
-- feat(node): Ensure `tracePropagationTargets` are respected (#11285)
-- feat(node): Simplify `SentrySpanProcessor` (#11273)
-- feat(profiling): Use OTEL powered node package (#11239)
-- feat(utils): Allow text encoder/decoder polyfill from global **SENTRY** (#11283)
-- fix(nextjs): Show misconfiguration warning (no `instrumentation.ts`) (#11266)
-- fix(node): Add logs when node-fetch cannot be instrumented (#11289)
-- fix(node): Skip capturing Hapi Boom error responses. (#11151)
-- fix(node): Use `suppressTracing` to avoid capturing otel spans (#11288)
-- fix(opentelemetry): Do not stomp span status when `startSpan` callback throws (#11170)
-
-## 8.0.0-alpha.6
-
-This version did not publish correctly due to a configuration issue.
-
-## 8.0.0-alpha.5
-
-This is the fifth alpha release of Sentry JavaScript SDK v8, which includes a variety of breaking changes.
-
-Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code.
-
-### Important Changes
-
-- **feat(nextjs): Remove `client.(server|client).config.ts` functionality in favor of `instrumentation.ts` (#11059)**
- - feat(nextjs): Bump minimum required Next.js version to `13.2.0` (#11097)
-
-With version 8 of the SDK we will no longer support the use of `sentry.server.config.ts` and `sentry.edge.config.ts`
-files. Instead, please initialize the Sentry Next.js SDK for the serverside in a
-[Next.js instrumentation hook](https://nextjs.org/docs/app/building-your-application/optimizing/instrumentation).
-**`sentry.client.config.ts|js` is still supported and encouraged for initializing the clientside SDK.** Please see the
-[Migration Guide](./MIGRATION.md#updated-the-recommended-way-of-calling-sentryinit) for more details.
-
-In addition, the Next.js SDK now requires a minimum Next.js version of `13.2.0`.
-
-- **feat(v8/angular): Merge angular and angular-ivy packages and start Angular support at v14 (#11091)**
-
-The `@sentry/angular-ivy` package has been removed. The `@sentry/angular` package now supports Ivy by default and
-requires at least Angular 14. See the [Migration Guide](./MIGRATION.md#removal-of-sentryangular-ivy-package) for more
-details.
-
-### Removal/Refactoring of deprecated functionality
-
-- feat(aws-serverless): Remove deprecated `rethrowAfterCapture` option (#11126)
-- feat(node): Remove deprecated/duplicate/unused definitions (#11120)
-- feat(v8): Remove deprecated integration methods on client (#11134)
-- feat(v8/browser): Remove class export for linked errors (#11129)
-- feat(v8/browser): Remove deprecated wrap export (#11127)
-- feat(v8/core): Remove deprecated client.setupIntegrations method (#11179)
-- feat(v8/core): Remove deprecated integration classes (#11132)
-- feat(v8/ember): Remove InitSentryForEmber export (#11202)
-- feat(v8/nextjs): Remove usage of class integrations (#11182)
-- feat(v8/replay): Delete deprecated types (#11177)
-- feat(v8/utils): Remove deprecated util functions (#11143)
-- ref(node): Remove class based export for local variable integration (#11128)
-
-### Other Changes
-
-- feat(browser): Make fetch the default transport for offline (#11209)
-- feat(core): Filter out noisy GoogleTag error by default (#11208)
-- feat(deps): Bump @sentry/cli from 2.30.0 to 2.30.2 (#11168)
-- feat(nextjs): Prefix webpack plugin log messages with runtime (#11173)
-- feat(node-profiling): Output ESM and remove Sentry deps from output (#11135)
-- feat(node): Allow Anr worker to be stopped and restarted (#11214)
-- feat(node): Support `tunnel` option for ANR (#11163)
-- feat(opentelemetry): Do not capture exceptions for timed events (#11221)
-- feat(serverless): Add Node.js 20 to compatible runtimes (#11103)
-- feat(sveltekit): Switch to Otel-based `@sentry/node` package (#11075)
-- fix(attachments): Add missing `view_hierarchy` attachment type (#11197)
-- fix(build): Ensure tree shaking works properly for ESM output (#11122)
-- fix(feedback): Only allow screenshots in secure contexts (#11188)
-- fix(feedback): Reduce force layout in screenshots (#11181)
-- fix(feedback): Smoother cropping experience and better UI (#11165)
-- fix(feedback): Fix screenshot black bars in Safari (#11233)
-- fix(metrics): use correct statsd data category (#11184)
-- fix(metrics): use web-vitals ttfb calculation (#11185)
-- fix(node): Export `initOpenTelemetry` (#11158)
-- fix(node): Clear ANR timer on stop (#11229)
-- fix(node): Time zone handling for `cron` (#11225)
-- fix(node): Use unique variable for ANR context transfer (#11161)
-- fix(opentelemetry): Do not stomp span error status (#11169)
-- fix(types): Fix incorrect `sampled` type on `Transaction` (#11115)
-
-## 8.0.0-alpha.4
-
-This is the fourth Alpha release of the v8 cycle, which includes a variety of breaking changes.
-
-Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code.
-
-### Important Changes
-
-- **feat: Set required node version to >=14.18.0 for all packages (#10968)**
-
-The minimum Node version required for the SDK is now `14.18.0`.
-
-- **Serverless SDK Changes**
- - feat(google-cloud): Add @sentry/google-cloud package (#10993)
- - feat(v8): Add @sentry/aws-serverless package (#11052)
- - feat(v8): Rename gcp package to `@sentry/google-cloud-serverless` (#11065)
-
-`@sentry/serverless` is no longer published, and is replaced by two new packages: `@sentry/google-cloud-serverless` and
-`@sentry/aws-serverless`. These packages are now the recommended way to instrument serverless functions. See the
-[migration guide](./MIGRATION.md#sentryserverless) for more details.
-
-- **build(bundles): Use ES2017 for bundles (drop ES5 support) (#10911)**
-
-The Browser SDK and CDN bundles now emits ES2017 compatible code and drops support for IE11. This also means that the
-Browser SDKs (`@sentry/browser`, `@sentry/react`, `@sentry/vue`, etc.) requires the fetch API to be available in the
-environment. If you need to support older browsers, please transpile your code to ES5 using babel or similar and add
-required polyfills.
-
-New minimum supported browsers:
-
-- Chrome 58
-- Edge 15
-- Safari/iOS Safari 11
-- Firefox 54
-- Opera 45
-- Samsung Internet 7.2
-
-### Removal/Refactoring of deprecated functionality
-
-- feat(browser): Remove IE parser from the default stack parsers (#11035)
-- feat(bun/v8): Remove all deprecations from Bun SDK (#10971)
-- feat(core): Remove `startTransaction` export (#11015)
-- feat(v8/core): Move addTracingHeadersToFetchRequest and instrumentFetchRequest to core (#10918)
-- feat(v8/deno): Remove deprecations from deno SDK (#10972)
-- feat(v8/remix): Remove remixRouterInstrumentation (#10933)
-- feat(v8/replay): Opt-in options for `unmask` and `unblock` (#11049)
-- feat(v8/tracing): Delete BrowserTracing class (#10919)
-- feat(v8/vercel-edge): Remove vercel-edge sdk deprecations (#10974)
-- feat(replay/v8): Delete deprecated `replaySession` and `errorSampleRates` (#11045)
-- feat(v8): Remove deprecated Replay, Feedback, ReplayCanvas exports (#10814)
-- ref: Remove `spanRecorder` and all related code (#10977)
-- ref: Remove deprecated `origin` field on span start options (#11058)
-- ref: Remove deprecated properties from `startSpan` options (#11054)
-- ref(core): Remove `startTransaction` & `finishTransaction` hooks (#11008)
-- ref(nextjs): Remove `sentry` field in Next.js config as a means of configuration (#10839)
-- ref(nextjs): Remove last internal deprecations (#11019)
-- ref(react): Streamline browser tracing integrations & remove old code (#11012)
-- ref(svelte): Remove `startChild` deprecations (#10956)
-- ref(sveltekit): Update trace propagation & span options (#10838)
-- ref(v8/angular): Remove instrumentAngularRouting and fix tests (#11021)
-
-### Other Changes
-
-- feat: Ensure `getRootSpan()` does not rely on transaction (#10979)
-- feat: Export `getSpanDescendants()` everywhere (#10924)
-- feat: Make ESM output valid Node ESM (#10928)
-- feat: Remove tags from spans & transactions (#10809)
-- feat(angular): Update scope `transactionName` when route is resolved (#11043)
-- feat(angular/v8): Change decorator naming and add `name` parameter (#11057)
-- feat(astro): Update `@sentry/astro` to use OpenTelemetry (#10960)
-- feat(browser): Remove `HttpContext` integration class (#10987)
-- feat(browser): Use idle span for browser tracing (#10957)
-- feat(build): Allow passing Sucrase options for rollup (#10747)
-- feat(build): Core packages into single output files (#11030)
-- feat(core): Allow custom tracing implementations (#11003)
-- feat(core): Allow metrics aggregator per client (#10949)
-- feat(core): Decouple `scope.transactionName` from root spans (#10991)
-- feat(core): Ensure trace APIs always return a span (#10942)
-- feat(core): Implement `startIdleSpan` (#10934)
-- feat(core): Move globals to `__SENTRY__` singleton (#11034)
-- feat(core): Move more scope globals to `__SENTRY__` (#11074)
-- feat(core): Undeprecate setTransactionName (#10966)
-- feat(core): Update `continueTrace` to be callback-only (#11044)
-- feat(core): Update `spanToJSON` to handle OTEL spans (#10922)
-- feat(deps): bump @sentry/cli from 2.29.1 to 2.30.0 (#11024)
-- feat(feedback): New feedback integration with screenshots (#10590)
-- feat(nextjs): Bump Webpack Plugin to version 2 and rework config options (#10978)
-- feat(nextjs): Support Hybrid Cloud DSNs with `tunnelRoute` option (#10959)
-- feat(node): Add `setupFastifyErrorHandler` utility (#11061)
-- feat(node): Rephrase wording in http integration JSDoc (#10947)
-- feat(opentelemetry): Do not use SentrySpan & Transaction classes (#10982)
-- feat(opentelemetry): Remove hub from context (#10983)
-- feat(opentelemetry): Use core `getRootSpan` functionality (#11004)
-- feat(profiling-node): Refactor deprecated methods & non-hook variant (#10984)
-- feat(react): Update scope's `transactionName` in React Router instrumentations (#11048)
-- feat(remix): Refactor to use new performance APIs (#10980)
-- feat(remix): Update remix SDK to be OTEL-powered (#11031)
-- feat(sveltekit): Export `unstable_sentryVitePluginOptions` for full Vite plugin customization (#10930)
-- feat(v8/bun): Update @sentry/bun to use OTEL node (#10997)
-- fix(ember): Ensure browser tracing is correctly lazy loaded (#11026)
-- fix(nextjs): Use passthrough `createReduxEnhancer` on server (#11005)
-- fix(node): Add missing core re-exports (#10931)
-- fix(node): Correct SDK name (#10961)
-- fix(node): Do not assert in vendored proxy code (#11011)
-- fix(node): Export spotlightIntegration from OTEL node (#10973)
-- fix(node): support undici headers as strings or arrays (#10938)
-- fix(opentelemetry): Fix span & sampling propagation (#11092)
-- fix(react): Passes the fallback function through React's createElement function (#10623)
-- fix(react): Set `handled` value in ErrorBoundary depending on fallback (#10989)
-- fix(types): Add `addScopeListener` to `Scope` interface (#10952)
-- fix(types): Add `AttachmentType` and use for envelope `attachment_type` property (#10946)
-- fix(types): Remove usage of `allowSyntheticDefaultImports` (#11073)
-- fix(v8/utils): Stack parser skip frames (not lines of stack string) (#10560)
-- ref(angular): Refactor usage of `startChild` (#11056)
-- ref(browser): Store browser metrics as attributes instead of tags (#10823)
-- ref(browser): Update `scope.transactionName` on pageload and navigation span creation (#10992)
-- ref(browser): Update browser metrics to avoid deprecations (#10943)
-- ref(browser): Update browser profiling to avoid deprecated APIs (#11007)
-- ref(feedback): Move UserFeedback type into feedback.ts (#11032)
-- ref(nextjs): Clean up browser tracing integration (#11022)
-- ref(node-experimental): Refactor usage of `startChild()` (#11047)
-- ref(node): Use new performance APIs in legacy `http` & `undici` (#11055)
-- ref(opentelemetry): Remove parent span map (#11014)
-- ref(opentelemetry): Remove span metadata handling (#11020)
-
-Work in this release contributed by @MFoster and @jessezhang91. Thank you for your contributions!
-
-## 8.0.0-alpha.3
-
-This alpha was released in an incomplete state. We recommend skipping this release and using the `8.0.0-alpha.4` release
-instead.
-
-## 8.0.0-alpha.2
-
-This alpha release fixes a build problem that prevented 8.0.0-alpha.1 from being properly released.
-
-### Important Changes
-
-- **feat: Remove `@sentry/opentelemetry-node` package (#10906)**
-
-The `@sentry/opentelemetry-node` package has been removed. Instead, you can either use `@sentry/node` with built-in
-OpenTelemetry support, or use `@sentry/opentelemetry` to manually connect Sentry with OpenTelemetry.
-
-### Removal/Refactoring of deprecated functionality
-
-- ref: Refactor some deprecated `startSpan` options (#10825)
-- feat(v8/core): remove void from transport return (#10794)
-- ref(integrations): Delete deprecated class integrations (#10887)
-
-### Other Changes
-
-- feat(core): Use serialized spans in transaction event (#10912)
-- feat(deps): bump @sentry/cli from 2.28.6 to 2.29.1 (#10908)
-- feat(node): Allow to configure `skipOpenTelemetrySetup` (#10907)
-- feat(esm): Import rather than require `inspector` (#10910)
-- fix(browser): Don't use chrome variable name (#10874)
-- chore(sveltekit): Fix punctuation in a console.log (#10895)
-- fix(opentelemetry): Ensure DSC propagation works correctly (#10904)
-- feat(browser): Exclude span exports from non-performance CDN bundles (#10879)
-- ref: Refactor span status handling to be OTEL compatible (#10871)
-- feat(core): Fix span scope handling & transaction setting (#10886)
-- ref(ember): Avoid namespace import to hopefully resolve minification issue (#10885)
-
-Work in this release contributed by @harish-talview & @bfontaine. Thank you for your contributions!
-
-## 8.0.0-alpha.1
-
-This is the first Alpha release of the v8 cycle, which includes a variety of breaking changes.
-
-Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code.
-
-### Important Changes
-
-**- feat(node): Make `@sentry/node` powered by OpenTelemetry (#10762)**
-
-The biggest change is the switch to use OpenTelemetry under the hood in `@sentry/node`. This brings with it a variety of
-changes:
-
-- There is now automated performance instrumentation for Express, Fastify, Nest.js and Koa. You can remove any
- performance and request isolation code you previously wrote manually for these frameworks.
-- All performance instrumention is enabled by default, and will only take effect if the instrumented package is used.
- You don't need to use `autoDiscoverNodePerformanceMonitoringIntegrations()` anymore.
-- You need to ensure to call `Sentry.init()` _before_ you import any other packages. Otherwise, the packages cannot be
- instrumented:
-
-```js
-const Sentry = require('@sentry/node');
-Sentry.init({
- dsn: '...',
- // ... other config here
-});
-// now require other things below this!
-const http = require('http');
-const express = require('express');
-// ....
-```
-
-- Currently, we only support CJS-based Node application out of the box. There is experimental ESM support, see
- [the instructions](./packages/node-experimental/README.md#esm-support).
-- `startTransaction` and `span.startChild()` are no longer supported. This is due to the underlying change to
- OpenTelemetry powered performance instrumentation. See
- [docs on the new performance APIs](./docs/v8-new-performance-apis.md) for details.
-
-Related changes:
-
-- feat(node-experimental): Add missing re-exports (#10679)
-- feat(node-experimental): Move `defaultStackParser` & `getSentryRelease` (#10722)
-- feat(node-experimental): Move `errorHandler` (#10728)
-- feat(node-experimental): Move cron code over (#10742)
-- feat(node-experimental): Move integrations from node (#10743)
-- feat(node-experimental): Properly set request & session on http requests (#10676)
-- feat(opentelemetry): Support `forceTransaction` in OTEL (#10807)
-- feat(opentelemetry): Align span options with core span options (#10761)
-- feat(opentelemetry): Do not capture span events as breadcrumbs (#10612)
-- feat(opentelemetry): Ensure DSC & attributes are correctly set (#10806)
-- feat(opentelemetry): Fix & align isolation scope usage in node-experimental (#10570)
-- feat(opentelemetry): Merge node-experimental changes into opentelemetry (#10689)
-- ref(node-experimental): Cleanup re-exports (#10741)
-- ref(node-experimental): Cleanup tracing intergations (#10730)
-- ref(node-experimental): Copy transport & client to node-experimental (#10720)
-- ref(node-experimental): Remove custom `isInitialized` (#10607)
-- ref(node-experimental): Remove custom hub & scope (#10616)
-- ref(node-experimental): Remove deprecated class integrations (#10675)
-- ref(node-experimental): Rename `errorHandler` to `expressErrorHandler` (#10746)
-- ref(node-integration-tests): Migrate to new Http integration (#10765)
-- ref(node): Align semantic attribute handling (#10827)
-
-**- feat: Remove `@sentry/integrations` package (#10799)**
-
-This package is no longer published. You can instead import these pluggable integrations directly from your SDK package
-(e.g. `@sentry/browser` or `@sentry/react`).
-
-**- feat: Remove `@sentry/hub` package (#10783)**
-
-This package is no longer published. You can instead import directly from your SDK package (e.g. `@sentry/react` or
-`@sentry/node`).
-
-**- feat(v8): Remove @sentry/tracing (#10625)**
-
-This package is no longer published. You can instead import directly from your SDK package (e.g. `@sentry/react` or
-`@sentry/node`).
-
-**- feat: Set required node version to >=14.8.0 for all packages (#10834)**
-
-The minimum required node version is now 14.8+. If you need support for older node versions, you can stay on the v7
-branch.
-
-**- Removed class-based integrations**
-
-We have removed most of the deprecated class-based integrations. Instead, you can use the functional styles:
-
-```js
-import * as Sentry from '@sentry/browser';
-// v7
-Sentry.init({
- integrations: [new Sentry.BrowserTracing()],
-});
-// v8
-Sentry.init({
- integrations: [new Sentry.browserTracingIntegration()],
-});
-```
-
-- ref: Remove `BrowserTracing` (#10653)
-- feat(v8/node): Remove LocalVariables class integration (#10558)
-- feat(v8/react): Delete react router exports (#10532)
-- feat(v8/vue): Remove all deprecated exports from vue (#10533)
-- feat(v8/wasm): Remove deprecated exports (#10552)
-
-**- feat(v8/browser): Remove XHR transport (#10703)**
-
-We have removed the XHR transport, and are instead using the fetch-based transport now by default. This means that if
-you are using Sentry in a browser environment without fetch, you'll need to either provide a fetch polyfill, or provide
-a custom transport to Sentry.
-
-**- feat(sveltekit): Update `@sentry/vite-plugin` to 2.x and adjust options API (#10813)**
-
-We have updated `@sentry/sveltekit` to use the latest version of `@sentry/vite-plugin`, which lead to changes in
-configuration options.
-
-### Other Changes
+## 8.x
-- feat: Ensure `withActiveSpan` is exported everywhere (#10878)
-- feat: Allow passing `null` to `withActiveSpan` (#10717)
-- feat: Implement new Async Context Strategy (#10647)
-- feat: Remove `hub` from global, `hub.run` & hub utilities (#10718)
-- feat: Update default trace propagation targets logic in the browser (#10621)
-- feat: Ignore ResizeObserver and undefined error (#10845)
-- feat(browser): Export `getIsolationScope` and `getGlobalScope` (#10658)
-- feat(browser): Prevent initialization in browser extensions (#10844)
-- feat(core): Add metric summaries to spans (#10554)
-- feat(core): Decouple metrics aggregation from client (#10628)
-- feat(core): Lookup client on current scope, not hub (#10635)
-- feat(core): Make `setXXX` methods set on isolation scope (#10678)
-- feat(core): Make custom tracing methods return spans & set default op (#10633)
-- feat(core): Make global `addBreadcrumb` write to the isolation scope instead of current scope (#10586)
-- feat(core): Remove health check transaction filters (#10818)
-- feat(core): Streamline custom hub creation for node-experimental (#10555)
-- feat(core): Update `addEventProcessor` to add to isolation scope (#10606)
-- feat(core): Update `Sentry.addBreadcrumb` to skip hub (#10601)
-- feat(core): Use global `TextEncoder` and `TextDecoder` (#10701)
-- feat(deps): bump @sentry/cli from 2.26.0 to 2.28.0 (#10496)
-- feat(deps): bump @sentry/cli from 2.28.0 to 2.28.5 (#10620)
-- feat(deps): bump @sentry/cli from 2.28.5 to 2.28.6 (#10727)
-- feat(integrations): Capture error arguments as exception regardless of level in `captureConsoleIntegration` (#10744)
-- feat(metrics): Remove metrics method from `BaseClient` (#10789)
-- feat(node): Remove unnecessary URL imports (#10860)
-- feat(react): Drop support for React 15 (#10115)
-- feat(remix): Add Vite dev-mode support to Express instrumentation. (#10784)
-- fix: Export session API (#10711)
-- fix(angular-ivy): Add `exports` field to `package.json` (#10569)
-- fix(angular): Ensure navigations always create a transaction (#10646)
-- fix(core): Add lost scope tests & fix update case (#10738)
-- fix(core): Fix scope capturing via `captureContext` function (#10735)
-- fix(feedback): Replay breadcrumb for feedback events was incorrect (#10536)
-- fix(nextjs): Remove `webpack://` prefix more broadly from source map `sources` field (#10642)
-- fix(node): import `worker_threads` and fix node v14 types (#10791)
-- fix(node): Record local variables with falsy values, `null` and `undefined` (#10821)
-- fix(stacktrace): Always use `?` for anonymous function name (#10732)
-- fix(sveltekit): Avoid capturing Http 4xx errors on the client (#10571)
-- fix(sveltekit): Ensure navigations and redirects always create a new transaction (#10656)
-- fix(sveltekit): Properly await sourcemaps flattening (#10602)
-- fix(types): Improve attachment type (#10832)
-- fx(node): Fix anr worker check (#10719)
-- ref: Cleanup browser profiling integration (#10766)
-- ref: Collect child spans references via non-enumerable on Span object (#10715)
-- ref: Make scope setters on hub only write to isolation scope (#10572)
-- ref: Store runtime on isolation scope (#10657)
-- ref(astro): Put request as SDK processing metadata instead of span data (#10840)
-- ref(core): Always use a (default) ACS (#10644)
-- ref(core): Make `on` and `emit` required on client (#10603)
-- ref(core): Make remaining client methods required (#10605)
-- ref(core): Rename `Span` class to `SentrySpan` (#10687)
-- ref(core): Restructure hub exports (#10639)
-- ref(core): Skip hub in top level `captureXXX` methods (#10688)
-- ref(core): Allow `number` as span `traceFlag` (#10855)
-- ref(core): Remove `status` field from Span (#10856)
-- ref(remix): Make `@remix-run/router` a dependency. (#10479)
-- ref(replay): Use `beforeAddBreadcrumb` hook instead of scope listener (#10600)
-- ref(sveltekit): Hard-pin Vite plugin version (#10843)
-
-### Other Deprecation Removals/Changes
-
-We have also removed or updated a variety of deprecated APIs.
-
-- feat(v8): Remove `extractTraceparentData` export (#10559)
-- feat(v8): Remove defaultIntegrations deprecated export (#10691)
-- feat(v8): Remove deprecated `span.isSuccess` method (#10699)
-- feat(v8): Remove deprecated `traceHeaders` method (#10776)
-- feat(v8): Remove deprecated addInstrumentationHandler (#10693)
-- feat(v8): Remove deprecated configureScope call (#10565)
-- feat(v8): Remove deprecated runWithAsyncContext API (#10780)
-- feat(v8): Remove deprecated spanStatusfromHttpCode export (#10563)
-- feat(v8): Remove deprecated trace and startActiveSpan methods (#10593)
-- feat(v8): Remove requestData deprecations (#10626)
-- feat(v8): Remove Severity enum (#10551)
-- feat(v8): Remove span.origin (#10753)
-- feat(v8): Remove span.toTraceparent method (#10698)
-- feat(v8): Remove usage of span.description and span.name (#10697)
-- feat(v8): Update eventFromUnknownInput to only use client (#10692)
-- feat(v8/astro): Remove deprecated exports from Astro SDK (#10611)
-- feat(v8/browser): Remove `_eventFromIncompleteOnError` usage (#10553)
-- feat(v8/browser): Remove XHR transport (#10703)
-- feat(v8/browser): Rename TryCatch integration to `browserApiErrorsIntegration` (#10755)
-- feat(v8/core): Remove deprecated setHttpStatus (#10774)
-- feat(v8/core): Remove deprecated updateWithContext method (#10800)
-- feat(v8/core): Remove getters for span.op (#10767)
-- feat(v8/core): Remove span.finish call (#10773)
-- feat(v8/core): Remove span.instrumenter and instrumenter option (#10769)
-- feat(v8/ember): Remove deprecated exports (#10535)
-- feat(v8/integrations): Remove deprecated exports (#10556)
-- feat(v8/node): Remove deepReadDirSync export (#10564)
-- feat(v8/node): Remove deprecated anr methods (#10562)
-- feat(v8/node): Remove getModuleFromFilename export (#10754)
-- feat(core): Remove deprecated props from `Span` interface (#10854)
-- fix(v8): Remove deprecated tracing config (#10870)
-- ref: Make `setupOnce` optional in integrations (#10729)
-- ref: Migrate transaction source from metadata to attributes (#10674)
-- ref: Refactor remaining `makeMain` usage (#10713)
-- ref(astro): Remove deprecated Replay and BrowserTracing (#10768)
-- feat(core): Remove deprecated `scope.applyToEvent()` method (#10842)
-- ref(integrations): Remove offline integration (#9456)
-- ref(nextjs): Remove all deprecated API (#10549)
-- ref: Remove `lastEventId` (#10585)
-- ref: Remove `reuseExisting` option for ACS (#10645)
-- ref: Remove `tracingOrigins` options (#10614)
-- ref: Remove deprecated `showReportDialog` APIs (#10609)
-- ref: Remove usage of span tags (#10808)
-- ref: Remove user segment (#10575)
+A full list of changes in the `8.x` release of the SDK can be found in the [8.x Changelog](./docs/changelog/v8.md).
## 7.x
diff --git a/dev-packages/browser-integration-tests/suites/errors/fetch/test.ts b/dev-packages/browser-integration-tests/suites/errors/fetch/test.ts
index 5b56f0cd695a..19fe923c7b30 100644
--- a/dev-packages/browser-integration-tests/suites/errors/fetch/test.ts
+++ b/dev-packages/browser-integration-tests/suites/errors/fetch/test.ts
@@ -24,7 +24,7 @@ sentryTest('handles fetch network errors @firefox', async ({ getLocalTestUrl, pa
value: error,
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
});
});
@@ -51,7 +51,7 @@ sentryTest('handles fetch network errors on subdomains @firefox', async ({ getLo
value: error,
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
});
});
@@ -78,7 +78,7 @@ sentryTest('handles fetch invalid header name errors @firefox', async ({ getLoca
value: error,
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
stacktrace: {
frames: expect.any(Array),
@@ -110,7 +110,7 @@ sentryTest('handles fetch invalid header value errors @firefox', async ({ getLoc
value: error,
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
stacktrace: {
frames: expect.any(Array),
@@ -152,7 +152,7 @@ sentryTest('handles fetch invalid URL scheme errors @firefox', async ({ getLocal
value: error,
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
stacktrace: {
frames: expect.any(Array),
@@ -184,7 +184,7 @@ sentryTest('handles fetch credentials in url errors @firefox', async ({ getLocal
value: error,
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
stacktrace: {
frames: expect.any(Array),
@@ -215,7 +215,7 @@ sentryTest('handles fetch invalid mode errors @firefox', async ({ getLocalTestUr
value: error,
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
stacktrace: {
frames: expect.any(Array),
@@ -245,7 +245,7 @@ sentryTest('handles fetch invalid request method errors @firefox', async ({ getL
value: error,
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
stacktrace: {
frames: expect.any(Array),
@@ -277,7 +277,7 @@ sentryTest(
value: error,
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
stacktrace: {
frames: expect.any(Array),
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/non-string-arg/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/non-string-arg/test.ts
index 5f014ba2c209..e12abb3baf71 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/non-string-arg/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/non-string-arg/test.ts
@@ -33,7 +33,7 @@ sentryTest(
type: 'Error',
value: 'Object captured as exception with keys: otherKey, type',
mechanism: {
- type: 'onerror',
+ type: 'auto.browser.global_handlers.onerror',
handled: false,
},
stacktrace: {
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/syntax-errors/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/syntax-errors/test.ts
index 4d7ea3a04883..81a4e0323a49 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/syntax-errors/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/syntax-errors/test.ts
@@ -28,7 +28,7 @@ sentryTest('should catch syntax errors', async ({ getLocalTestUrl, page, browser
type: 'SyntaxError',
value: "Failed to execute 'appendChild' on 'Node': Unexpected token '{'",
mechanism: {
- type: 'onerror',
+ type: 'auto.browser.global_handlers.onerror',
handled: false,
},
stacktrace: {
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-errors/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-errors/test.ts
index bdc878adc16c..426decae095e 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-errors/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-errors/test.ts
@@ -28,7 +28,7 @@ sentryTest('should catch thrown errors', async ({ getLocalTestUrl, page, browser
type: 'Error',
value: 'realError',
mechanism: {
- type: 'onerror',
+ type: 'auto.browser.global_handlers.onerror',
handled: false,
},
stacktrace: {
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-objects/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-objects/test.ts
index 27b764334143..4e0ac6478a04 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-objects/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-objects/test.ts
@@ -30,7 +30,7 @@ sentryTest('should catch thrown objects', async ({ getLocalTestUrl, page, browse
type: 'Error',
value: 'Object captured as exception with keys: error, somekey',
mechanism: {
- type: 'onerror',
+ type: 'auto.browser.global_handlers.onerror',
handled: false,
},
stacktrace: {
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-strings/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-strings/test.ts
index 787146c02a43..f1f12748dfeb 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-strings/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onError/thrown-strings/test.ts
@@ -28,7 +28,7 @@ sentryTest('should catch thrown strings', async ({ getLocalTestUrl, page, browse
type: 'Error',
value: 'stringError',
mechanism: {
- type: 'onerror',
+ type: 'auto.browser.global_handlers.onerror',
handled: false,
},
stacktrace: {
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/custom-event/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/custom-event/test.ts
index 169ad3b4b319..1421ffeedb1d 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/custom-event/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/custom-event/test.ts
@@ -20,7 +20,7 @@ sentryTest(
type: 'Error',
value: 'promiseError',
mechanism: {
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
handled: false,
},
stacktrace: {
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/event/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/event/test.ts
index 0dcf24fecc58..db77d3d2db24 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/event/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/event/test.ts
@@ -15,7 +15,7 @@ sentryTest('should capture a random Event with type unhandledrejection', async (
type: 'Event',
value: 'Event `Event` (type=unhandledrejection) captured as promise rejection',
mechanism: {
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
handled: false,
},
});
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-errors/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-errors/test.ts
index 2eb475919a95..7daf9d8bbaa4 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-errors/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-errors/test.ts
@@ -13,7 +13,7 @@ sentryTest('should catch thrown errors', async ({ getLocalTestUrl, page }) => {
type: 'Error',
value: 'promiseError',
mechanism: {
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
handled: false,
},
stacktrace: {
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-null/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-null/test.ts
index f9231fa5cda7..1d15616c716f 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-null/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-null/test.ts
@@ -13,7 +13,7 @@ sentryTest('should catch thrown strings', async ({ getLocalTestUrl, page }) => {
type: 'UnhandledRejection',
value: 'Non-Error promise rejection captured with value: null',
mechanism: {
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
handled: false,
},
});
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-number/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-number/test.ts
index adb3348563c6..cdf6174f568f 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-number/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-number/test.ts
@@ -13,7 +13,7 @@ sentryTest('should catch thrown strings', async ({ getLocalTestUrl, page }) => {
type: 'UnhandledRejection',
value: 'Non-Error promise rejection captured with value: 123',
mechanism: {
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
handled: false,
},
});
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-object-complex/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-object-complex/test.ts
index 71f2b11864b1..e67049774f66 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-object-complex/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-object-complex/test.ts
@@ -13,7 +13,7 @@ sentryTest('should capture unhandledrejection with a complex object', async ({ g
type: 'UnhandledRejection',
value: 'Object captured as promise rejection with keys: a, b, c, d, e',
mechanism: {
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
handled: false,
},
});
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-objects/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-objects/test.ts
index 50f1d712c15d..ce30aac0bb17 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-objects/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-objects/test.ts
@@ -13,7 +13,7 @@ sentryTest('should capture unhandledrejection with an object', async ({ getLocal
type: 'UnhandledRejection',
value: 'Object captured as promise rejection with keys: a, b, c',
mechanism: {
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
handled: false,
},
});
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-strings/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-strings/test.ts
index 15e4fb1bd5f6..9907b5457b80 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-strings/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-strings/test.ts
@@ -13,7 +13,7 @@ sentryTest('should catch thrown strings', async ({ getLocalTestUrl, page }) => {
type: 'UnhandledRejection',
value: 'Non-Error promise rejection captured with value: stringError',
mechanism: {
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
handled: false,
},
});
diff --git a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-undefined/test.ts b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-undefined/test.ts
index 51505d6f8333..8603f96c0bbe 100644
--- a/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-undefined/test.ts
+++ b/dev-packages/browser-integration-tests/suites/public-api/instrumentation/onUnhandledRejection/thrown-undefined/test.ts
@@ -13,7 +13,7 @@ sentryTest('should catch thrown strings', async ({ getLocalTestUrl, page }) => {
type: 'UnhandledRejection',
value: 'Non-Error promise rejection captured with value: undefined',
mechanism: {
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
handled: false,
},
});
diff --git a/dev-packages/cloudflare-integration-tests/suites/tracing/openai/index.ts b/dev-packages/cloudflare-integration-tests/suites/tracing/openai/index.ts
new file mode 100644
index 000000000000..8b21b479ce80
--- /dev/null
+++ b/dev-packages/cloudflare-integration-tests/suites/tracing/openai/index.ts
@@ -0,0 +1,34 @@
+import * as Sentry from '@sentry/cloudflare';
+import { MockOpenAi } from './mocks';
+
+interface Env {
+ SENTRY_DSN: string;
+}
+
+const mockClient = new MockOpenAi({
+ apiKey: 'mock-api-key',
+});
+
+const client = Sentry.instrumentOpenAiClient(mockClient);
+
+export default Sentry.withSentry(
+ (env: Env) => ({
+ dsn: env.SENTRY_DSN,
+ tracesSampleRate: 1.0,
+ }),
+ {
+ async fetch(_request, _env, _ctx) {
+ const response = await client.chat?.completions?.create({
+ model: 'gpt-3.5-turbo',
+ messages: [
+ { role: 'system', content: 'You are a helpful assistant.' },
+ { role: 'user', content: 'What is the capital of France?' },
+ ],
+ temperature: 0.7,
+ max_tokens: 100,
+ });
+
+ return new Response(JSON.stringify(response));
+ },
+ },
+);
diff --git a/dev-packages/cloudflare-integration-tests/suites/tracing/openai/mocks.ts b/dev-packages/cloudflare-integration-tests/suites/tracing/openai/mocks.ts
new file mode 100644
index 000000000000..cca72d5bd37d
--- /dev/null
+++ b/dev-packages/cloudflare-integration-tests/suites/tracing/openai/mocks.ts
@@ -0,0 +1,50 @@
+import type { OpenAiClient } from '@sentry/core';
+
+export class MockOpenAi implements OpenAiClient {
+ public chat?: Record;
+ public apiKey: string;
+
+ public constructor(config: { apiKey: string }) {
+ this.apiKey = config.apiKey;
+
+ this.chat = {
+ completions: {
+ create: async (...args: unknown[]) => {
+ const params = args[0] as { model: string; stream?: boolean };
+ // Simulate processing time
+ await new Promise(resolve => setTimeout(resolve, 10));
+
+ if (params.model === 'error-model') {
+ const error = new Error('Model not found');
+ (error as unknown as { status: number }).status = 404;
+ (error as unknown as { headers: Record }).headers = { 'x-request-id': 'mock-request-123' };
+ throw error;
+ }
+
+ return {
+ id: 'chatcmpl-mock123',
+ object: 'chat.completion',
+ created: 1677652288,
+ model: params.model,
+ system_fingerprint: 'fp_44709d6fcb',
+ choices: [
+ {
+ index: 0,
+ message: {
+ role: 'assistant',
+ content: 'Hello from OpenAI mock!',
+ },
+ finish_reason: 'stop',
+ },
+ ],
+ usage: {
+ prompt_tokens: 10,
+ completion_tokens: 15,
+ total_tokens: 25,
+ },
+ };
+ },
+ },
+ };
+ }
+}
diff --git a/dev-packages/cloudflare-integration-tests/suites/tracing/openai/test.ts b/dev-packages/cloudflare-integration-tests/suites/tracing/openai/test.ts
new file mode 100644
index 000000000000..1dc4ca077665
--- /dev/null
+++ b/dev-packages/cloudflare-integration-tests/suites/tracing/openai/test.ts
@@ -0,0 +1,42 @@
+import { expect, it } from 'vitest';
+import { createRunner } from '../../../runner';
+
+// These tests are not exhaustive because the instrumentation is
+// already tested in the node integration tests and we merely
+// want to test that the instrumentation does not break in our
+// cloudflare SDK.
+
+it('traces a basic chat completion request', async () => {
+ const runner = createRunner(__dirname)
+ .ignore('event')
+ .expect(envelope => {
+ const transactionEvent = envelope[1]?.[0]?.[1];
+
+ expect(transactionEvent.transaction).toBe('GET /');
+ expect(transactionEvent.spans).toEqual(
+ expect.arrayContaining([
+ expect.objectContaining({
+ data: expect.objectContaining({
+ 'gen_ai.operation.name': 'chat',
+ 'sentry.op': 'gen_ai.chat',
+ 'gen_ai.system': 'openai',
+ 'gen_ai.request.model': 'gpt-3.5-turbo',
+ 'gen_ai.request.temperature': 0.7,
+ 'gen_ai.response.model': 'gpt-3.5-turbo',
+ 'gen_ai.response.id': 'chatcmpl-mock123',
+ 'gen_ai.usage.input_tokens': 10,
+ 'gen_ai.usage.output_tokens': 15,
+ 'gen_ai.usage.total_tokens': 25,
+ 'gen_ai.response.finish_reasons': '["stop"]',
+ }),
+ description: 'chat gpt-3.5-turbo',
+ op: 'gen_ai.chat',
+ origin: 'manual',
+ }),
+ ]),
+ );
+ })
+ .start();
+ await runner.makeRequest('get', '/');
+ await runner.completed();
+});
diff --git a/dev-packages/cloudflare-integration-tests/suites/tracing/openai/wrangler.jsonc b/dev-packages/cloudflare-integration-tests/suites/tracing/openai/wrangler.jsonc
new file mode 100644
index 000000000000..24fb2861023d
--- /dev/null
+++ b/dev-packages/cloudflare-integration-tests/suites/tracing/openai/wrangler.jsonc
@@ -0,0 +1,6 @@
+{
+ "name": "worker-name",
+ "compatibility_date": "2025-06-17",
+ "main": "index.ts",
+ "compatibility_flags": ["nodejs_compat"]
+}
diff --git a/dev-packages/cloudflare-integration-tests/vite.config.mts b/dev-packages/cloudflare-integration-tests/vite.config.mts
index cfa15b12c3f1..a80bbbf63f32 100644
--- a/dev-packages/cloudflare-integration-tests/vite.config.mts
+++ b/dev-packages/cloudflare-integration-tests/vite.config.mts
@@ -22,6 +22,12 @@ export default defineConfig({
// already run in their own processes. We use threads instead because the
// overhead is significantly less.
pool: 'threads',
+ // Run tests sequentially to avoid port conflicts with wrangler dev processes
+ poolOptions: {
+ threads: {
+ singleThread: true,
+ },
+ },
reporters: process.env.DEBUG
? ['default', { summary: false }]
: process.env.GITHUB_ACTIONS
diff --git a/dev-packages/e2e-tests/test-applications/astro-4/tests/errors.client.test.ts b/dev-packages/e2e-tests/test-applications/astro-4/tests/errors.client.test.ts
index e1e13d231fef..730122f5c208 100644
--- a/dev-packages/e2e-tests/test-applications/astro-4/tests/errors.client.test.ts
+++ b/dev-packages/e2e-tests/test-applications/astro-4/tests/errors.client.test.ts
@@ -31,7 +31,7 @@ test.describe('client-side errors', () => {
{
mechanism: {
handled: false,
- type: 'onerror',
+ type: 'auto.browser.global_handlers.onerror',
},
type: 'Error',
value: 'client error',
diff --git a/dev-packages/e2e-tests/test-applications/astro-5/tests/errors.client.test.ts b/dev-packages/e2e-tests/test-applications/astro-5/tests/errors.client.test.ts
index 22572d009202..19e9051ddf69 100644
--- a/dev-packages/e2e-tests/test-applications/astro-5/tests/errors.client.test.ts
+++ b/dev-packages/e2e-tests/test-applications/astro-5/tests/errors.client.test.ts
@@ -31,7 +31,7 @@ test.describe('client-side errors', () => {
{
mechanism: {
handled: false,
- type: 'onerror',
+ type: 'auto.browser.global_handlers.onerror',
},
type: 'Error',
value: 'client error',
diff --git a/dev-packages/e2e-tests/test-applications/aws-serverless-esm/tests/basic.test.ts b/dev-packages/e2e-tests/test-applications/aws-serverless-esm/tests/basic.test.ts
index 803484881837..38c6e82043cf 100644
--- a/dev-packages/e2e-tests/test-applications/aws-serverless-esm/tests/basic.test.ts
+++ b/dev-packages/e2e-tests/test-applications/aws-serverless-esm/tests/basic.test.ts
@@ -43,7 +43,7 @@ test('AWS Serverless SDK sends events in ESM mode', async ({ request }) => {
trace_id: expect.stringMatching(/[a-f0-9]{32}/),
});
- expect(transactionEvent.spans).toHaveLength(3);
+ expect(transactionEvent.spans).toHaveLength(2);
// shows that the Otel Http instrumentation is working
expect(transactionEvent.spans).toContainEqual(
@@ -58,19 +58,6 @@ test('AWS Serverless SDK sends events in ESM mode', async ({ request }) => {
}),
);
- expect(transactionEvent.spans).toContainEqual(
- expect.objectContaining({
- data: {
- 'sentry.op': 'function.aws.lambda',
- 'sentry.origin': 'auto.function.serverless',
- 'sentry.source': 'component',
- },
- description: 'my-lambda',
- op: 'function.aws.lambda',
- origin: 'auto.function.serverless',
- }),
- );
-
// shows that the manual span creation is working
expect(transactionEvent.spans).toContainEqual(
expect.objectContaining({
diff --git a/dev-packages/e2e-tests/test-applications/ember-embroider/package.json b/dev-packages/e2e-tests/test-applications/ember-embroider/package.json
index 99a0424483c6..b7a102917e80 100644
--- a/dev-packages/e2e-tests/test-applications/ember-embroider/package.json
+++ b/dev-packages/e2e-tests/test-applications/ember-embroider/package.json
@@ -68,8 +68,5 @@
},
"volta": {
"extends": "../../package.json"
- },
- "sentryTest": {
- "skip": true
}
}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.env b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.env
new file mode 100644
index 000000000000..9b8dc350a98d
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.env
@@ -0,0 +1,2 @@
+SESSION_SECRET = "foo"
+PUBLIC_STORE_DOMAIN="mock.shop"
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.eslintignore b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.eslintignore
new file mode 100644
index 000000000000..a362bcaa13b5
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.eslintignore
@@ -0,0 +1,5 @@
+build
+node_modules
+bin
+*.d.ts
+dist
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.eslintrc.cjs b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.eslintrc.cjs
new file mode 100644
index 000000000000..85eb86d14b9e
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.eslintrc.cjs
@@ -0,0 +1,79 @@
+/**
+ * This is intended to be a basic starting point for linting in your app.
+ * It relies on recommended configs out of the box for simplicity, but you can
+ * and should modify this configuration to best suit your team's needs.
+ */
+
+/** @type {import('eslint').Linter.Config} */
+module.exports = {
+ root: true,
+ parserOptions: {
+ ecmaVersion: 'latest',
+ sourceType: 'module',
+ ecmaFeatures: {
+ jsx: true,
+ },
+ },
+ env: {
+ browser: true,
+ commonjs: true,
+ es6: true,
+ },
+
+ // Base config
+ extends: ['eslint:recommended'],
+
+ overrides: [
+ // React
+ {
+ files: ['**/*.{js,jsx,ts,tsx}'],
+ plugins: ['react', 'jsx-a11y'],
+ extends: [
+ 'plugin:react/recommended',
+ 'plugin:react/jsx-runtime',
+ 'plugin:react-hooks/recommended',
+ 'plugin:jsx-a11y/recommended',
+ ],
+ settings: {
+ react: {
+ version: 'detect',
+ },
+ formComponents: ['Form'],
+ linkComponents: [
+ { name: 'Link', linkAttribute: 'to' },
+ { name: 'NavLink', linkAttribute: 'to' },
+ ],
+ 'import/resolver': {
+ typescript: {},
+ },
+ },
+ },
+
+ // Typescript
+ {
+ files: ['**/*.{ts,tsx}'],
+ plugins: ['@typescript-eslint', 'import'],
+ parser: '@typescript-eslint/parser',
+ settings: {
+ 'import/internal-regex': '^~/',
+ 'import/resolver': {
+ node: {
+ extensions: ['.ts', '.tsx'],
+ },
+ typescript: {
+ alwaysTryTypes: true,
+ },
+ },
+ },
+ extends: ['plugin:@typescript-eslint/recommended', 'plugin:import/recommended', 'plugin:import/typescript'],
+ },
+
+ // Node
+ {
+ files: ['.eslintrc.cjs', 'server.ts'],
+ env: {
+ node: true,
+ },
+ },
+ ],
+};
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.gitignore b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.gitignore
new file mode 100644
index 000000000000..bbd6215c8760
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.gitignore
@@ -0,0 +1,10 @@
+node_modules
+/.cache
+/build
+/dist
+/public/build
+/.mf
+!.env
+.shopify
+storefrontapi.generated.d.ts
+.react-router
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.npmrc b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.npmrc
new file mode 100644
index 000000000000..070f80f05092
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/.npmrc
@@ -0,0 +1,2 @@
+@sentry:registry=http://127.0.0.1:4873
+@sentry-internal:registry=http://127.0.0.1:4873
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/entry.client.tsx b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/entry.client.tsx
new file mode 100644
index 000000000000..9c48e56befe8
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/entry.client.tsx
@@ -0,0 +1,22 @@
+import { HydratedRouter } from 'react-router/dom';
+import * as Sentry from '@sentry/react-router/cloudflare';
+import { StrictMode, startTransition } from 'react';
+import { hydrateRoot } from 'react-dom/client';
+
+Sentry.init({
+ environment: 'qa', // dynamic sampling bias to keep transactions
+ // Could not find a working way to set the DSN in the browser side from the environment variables
+ dsn: 'https://public@dsn.ingest.sentry.io/1337',
+ integrations: [Sentry.reactRouterTracingIntegration()],
+ tracesSampleRate: 1.0,
+ tunnel: 'http://localhost:3031/', // proxy server
+});
+
+startTransition(() => {
+ hydrateRoot(
+ document,
+
+
+ ,
+ );
+});
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/entry.server.tsx b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/entry.server.tsx
new file mode 100644
index 000000000000..c2410fe87b26
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/entry.server.tsx
@@ -0,0 +1,54 @@
+import '../instrument.server';
+import { HandleErrorFunction, ServerRouter } from 'react-router';
+import { createContentSecurityPolicy } from '@shopify/hydrogen';
+import type { EntryContext } from '@shopify/remix-oxygen';
+import { renderToReadableStream } from 'react-dom/server';
+import * as Sentry from '@sentry/react-router/cloudflare';
+
+async function handleRequest(
+ request: Request,
+ responseStatusCode: number,
+ responseHeaders: Headers,
+ reactRouterContext: EntryContext,
+) {
+ const { nonce, header, NonceProvider } = createContentSecurityPolicy({
+ connectSrc: [
+ // Need to allow the proxy server to fetch the data
+ 'http://localhost:3031/',
+ ],
+ });
+
+ const body = Sentry.injectTraceMetaTags(await renderToReadableStream(
+
+
+ ,
+ {
+ nonce,
+ signal: request.signal,
+ },
+ ));
+
+ responseHeaders.set('Content-Type', 'text/html');
+ responseHeaders.set('Content-Security-Policy', header);
+
+ // Add the document policy header to enable JS profiling
+ // This is required for Sentry's profiling integration
+ responseHeaders.set('Document-Policy', 'js-profiling');
+
+ return new Response(body, {
+ headers: responseHeaders,
+ status: responseStatusCode,
+ });
+}
+
+export const handleError: HandleErrorFunction = (error, { request }) => {
+ // React Router may abort some interrupted requests, don't log those
+ if (!request.signal.aborted) {
+ Sentry.captureException(error);
+ // optionally log the error so you can see it
+ console.error(error);
+ }
+};
+
+
+export default Sentry.wrapSentryHandleRequest(handleRequest);
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/lib/fragments.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/lib/fragments.ts
new file mode 100644
index 000000000000..ccf430475620
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/lib/fragments.ts
@@ -0,0 +1,174 @@
+// NOTE: https://shopify.dev/docs/api/storefront/latest/queries/cart
+export const CART_QUERY_FRAGMENT = `#graphql
+ fragment Money on MoneyV2 {
+ currencyCode
+ amount
+ }
+ fragment CartLine on CartLine {
+ id
+ quantity
+ attributes {
+ key
+ value
+ }
+ cost {
+ totalAmount {
+ ...Money
+ }
+ amountPerQuantity {
+ ...Money
+ }
+ compareAtAmountPerQuantity {
+ ...Money
+ }
+ }
+ merchandise {
+ ... on ProductVariant {
+ id
+ availableForSale
+ compareAtPrice {
+ ...Money
+ }
+ price {
+ ...Money
+ }
+ requiresShipping
+ title
+ image {
+ id
+ url
+ altText
+ width
+ height
+
+ }
+ product {
+ handle
+ title
+ id
+ vendor
+ }
+ selectedOptions {
+ name
+ value
+ }
+ }
+ }
+ }
+ fragment CartApiQuery on Cart {
+ updatedAt
+ id
+ checkoutUrl
+ totalQuantity
+ buyerIdentity {
+ countryCode
+ customer {
+ id
+ email
+ firstName
+ lastName
+ displayName
+ }
+ email
+ phone
+ }
+ lines(first: $numCartLines) {
+ nodes {
+ ...CartLine
+ }
+ }
+ cost {
+ subtotalAmount {
+ ...Money
+ }
+ totalAmount {
+ ...Money
+ }
+ totalDutyAmount {
+ ...Money
+ }
+ totalTaxAmount {
+ ...Money
+ }
+ }
+ note
+ attributes {
+ key
+ value
+ }
+ discountCodes {
+ code
+ applicable
+ }
+ }
+` as const;
+
+const MENU_FRAGMENT = `#graphql
+ fragment MenuItem on MenuItem {
+ id
+ resourceId
+ tags
+ title
+ type
+ url
+ }
+ fragment ChildMenuItem on MenuItem {
+ ...MenuItem
+ }
+ fragment ParentMenuItem on MenuItem {
+ ...MenuItem
+ items {
+ ...ChildMenuItem
+ }
+ }
+ fragment Menu on Menu {
+ id
+ items {
+ ...ParentMenuItem
+ }
+ }
+` as const;
+
+export const HEADER_QUERY = `#graphql
+ fragment Shop on Shop {
+ id
+ name
+ description
+ primaryDomain {
+ url
+ }
+ brand {
+ logo {
+ image {
+ url
+ }
+ }
+ }
+ }
+ query Header(
+ $country: CountryCode
+ $headerMenuHandle: String!
+ $language: LanguageCode
+ ) @inContext(language: $language, country: $country) {
+ shop {
+ ...Shop
+ }
+ menu(handle: $headerMenuHandle) {
+ ...Menu
+ }
+ }
+ ${MENU_FRAGMENT}
+` as const;
+
+export const FOOTER_QUERY = `#graphql
+ query Footer(
+ $country: CountryCode
+ $footerMenuHandle: String!
+ $language: LanguageCode
+ ) @inContext(language: $language, country: $country) {
+ menu(handle: $footerMenuHandle) {
+ ...Menu
+ }
+ }
+ ${MENU_FRAGMENT}
+` as const;
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/lib/session.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/lib/session.ts
new file mode 100644
index 000000000000..80d6e7b86b52
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/lib/session.ts
@@ -0,0 +1,61 @@
+import type { HydrogenSession } from '@shopify/hydrogen';
+import { type Session, type SessionStorage, createCookieSessionStorage } from '@shopify/remix-oxygen';
+
+/**
+ * This is a custom session implementation for your Hydrogen shop.
+ * Feel free to customize it to your needs, add helper methods, or
+ * swap out the cookie-based implementation with something else!
+ */
+export class AppSession implements HydrogenSession {
+ #sessionStorage;
+ #session;
+
+ constructor(sessionStorage: SessionStorage, session: Session) {
+ this.#sessionStorage = sessionStorage;
+ this.#session = session;
+ }
+
+ static async init(request: Request, secrets: string[]) {
+ const storage = createCookieSessionStorage({
+ cookie: {
+ name: 'session',
+ httpOnly: true,
+ path: '/',
+ sameSite: 'lax',
+ secrets,
+ },
+ });
+
+ const session = await storage.getSession(request.headers.get('Cookie')).catch(() => storage.getSession());
+
+ return new this(storage, session);
+ }
+
+ get has() {
+ return this.#session.has;
+ }
+
+ get get() {
+ return this.#session.get;
+ }
+
+ get flash() {
+ return this.#session.flash;
+ }
+
+ get unset() {
+ return this.#session.unset;
+ }
+
+ get set() {
+ return this.#session.set;
+ }
+
+ destroy() {
+ return this.#sessionStorage.destroySession(this.#session);
+ }
+
+ commit() {
+ return this.#sessionStorage.commitSession(this.#session);
+ }
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/lib/variants.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/lib/variants.ts
new file mode 100644
index 000000000000..6fddd5f66ee0
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/lib/variants.ts
@@ -0,0 +1,41 @@
+import { useLocation } from 'react-router';
+import type { SelectedOption } from '@shopify/hydrogen/storefront-api-types';
+import { useMemo } from 'react';
+
+export function useVariantUrl(handle: string, selectedOptions: SelectedOption[]) {
+ const { pathname } = useLocation();
+
+ return useMemo(() => {
+ return getVariantUrl({
+ handle,
+ pathname,
+ searchParams: new URLSearchParams(),
+ selectedOptions,
+ });
+ }, [handle, selectedOptions, pathname]);
+}
+
+export function getVariantUrl({
+ handle,
+ pathname,
+ searchParams,
+ selectedOptions,
+}: {
+ handle: string;
+ pathname: string;
+ searchParams: URLSearchParams;
+ selectedOptions: SelectedOption[];
+}) {
+ const match = /(\/[a-zA-Z]{2}-[a-zA-Z]{2}\/)/g.exec(pathname);
+ const isLocalePathname = match && match.length > 0;
+
+ const path = isLocalePathname ? `${match![0]}products/${handle}` : `/products/${handle}`;
+
+ selectedOptions.forEach(option => {
+ searchParams.set(option.name, option.value);
+ });
+
+ const searchString = searchParams.toString();
+
+ return path + (searchString ? '?' + searchParams.toString() : '');
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/root.tsx b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/root.tsx
new file mode 100644
index 000000000000..e38f97bd3f06
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/root.tsx
@@ -0,0 +1,196 @@
+import * as Sentry from '@sentry/react-router/cloudflare';
+import {type LoaderFunctionArgs} from '@shopify/remix-oxygen';
+import {
+ Outlet,
+ isRouteErrorResponse,
+ type ShouldRevalidateFunction,
+ Links,
+ Meta,
+ Scripts,
+ ScrollRestoration,
+} from 'react-router';
+import {FOOTER_QUERY, HEADER_QUERY} from '~/lib/fragments';
+
+import {useNonce} from '@shopify/hydrogen';
+
+export type RootLoader = typeof loader;
+
+/**
+ * This is important to avoid re-fetching root queries on sub-navigations
+ */
+export const shouldRevalidate: ShouldRevalidateFunction = ({
+ formMethod,
+ currentUrl,
+ nextUrl,
+}) => {
+ // revalidate when a mutation is performed e.g add to cart, login...
+ if (formMethod && formMethod !== 'GET') return true;
+
+ // revalidate when manually revalidating via useRevalidator
+ if (currentUrl.toString() === nextUrl.toString()) return true;
+
+ // Defaulting to no revalidation for root loader data to improve performance.
+ // When using this feature, you risk your UI getting out of sync with your server.
+ // Use with caution. If you are uncomfortable with this optimization, update the
+ // line below to `return defaultShouldRevalidate` instead.
+ // For more details see: https://remix.run/docs/en/main/route/should-revalidate
+ return false;
+};
+
+/**
+ * The main and reset stylesheets are added in the Layout component
+ * to prevent a bug in development HMR updates.
+ *
+ * This avoids the "failed to execute 'insertBefore' on 'Node'" error
+ * that occurs after editing and navigating to another page.
+ *
+ * It's a temporary fix until the issue is resolved.
+ * https://github.com/remix-run/remix/issues/9242
+ */
+export function links() {
+ return [
+ {
+ rel: 'preconnect',
+ href: 'https://cdn.shopify.com',
+ },
+ {
+ rel: 'preconnect',
+ href: 'https://shop.app',
+ },
+ ];
+}
+
+export async function loader(args: LoaderFunctionArgs) {
+ // Start fetching non-critical data without blocking time to first byte
+ const deferredData = loadDeferredData(args);
+
+ // Await the critical data required to render initial state of the page
+ const criticalData = await loadCriticalData(args);
+
+ const {env} = args.context;
+
+ return {
+ ...deferredData,
+ ...criticalData,
+ ENV: {
+ sentryTrace: env.SENTRY_TRACE,
+ sentryBaggage: env.SENTRY_BAGGAGE,
+ },
+ publicStoreDomain: env.PUBLIC_STORE_DOMAIN,
+ consent: {
+ checkoutDomain: env.PUBLIC_CHECKOUT_DOMAIN,
+ storefrontAccessToken: env.PUBLIC_STOREFRONT_API_TOKEN,
+ withPrivacyBanner: false,
+ // localize the privacy banner
+ country: args.context.storefront.i18n.country,
+ language: args.context.storefront.i18n.language,
+ },
+ };
+}
+
+/**
+ * Load data necessary for rendering content above the fold. This is the critical data
+ * needed to render the page. If it's unavailable, the whole page should 400 or 500 error.
+ */
+async function loadCriticalData({context}: LoaderFunctionArgs) {
+ const {storefront} = context;
+
+ const [header] = await Promise.all([
+ storefront.query(HEADER_QUERY, {
+ cache: storefront.CacheLong(),
+ variables: {
+ headerMenuHandle: 'main-menu', // Adjust to your header menu handle
+ },
+ }),
+ // Add other queries here, so that they are loaded in parallel
+ ]);
+
+ return {header};
+}
+
+/**
+ * Load data for rendering content below the fold. This data is deferred and will be
+ * fetched after the initial page load. If it's unavailable, the page should still 200.
+ * Make sure to not throw any errors here, as it will cause the page to 500.
+ */
+function loadDeferredData({context}: LoaderFunctionArgs) {
+ const {storefront, customerAccount, cart} = context;
+
+ // defer the footer query (below the fold)
+ const footer = storefront
+ .query(FOOTER_QUERY, {
+ cache: storefront.CacheLong(),
+ variables: {
+ footerMenuHandle: 'footer', // Adjust to your footer menu handle
+ },
+ })
+ .catch((error: any) => {
+ // Log query errors, but don't throw them so the page can still render
+ console.error(error);
+ return null;
+ });
+ return {
+ cart: cart.get(),
+ isLoggedIn: customerAccount.isLoggedIn(),
+ footer,
+ };
+}
+
+export function Layout({children}: {children?: React.ReactNode}) {
+ const nonce = useNonce();
+
+ return (
+
+
+
+
+
+
+
+
+
+
+
+
+
+ );
+}
+
+export default function App() {
+ return ;
+}
+
+export function ErrorBoundary({
+ error
+}: {
+ error: unknown
+}) {
+ let errorMessage = 'Unknown error';
+ let errorStatus = 500;
+
+ const eventId = Sentry.captureException(error);
+
+ if (isRouteErrorResponse(error)) {
+ errorMessage = error?.data?.message ?? error.data;
+ errorStatus = error.status;
+ } else if (error instanceof Error) {
+ errorMessage = error.message;
+ }
+
+ return (
+
+
Oops
+
{errorStatus}
+ {errorMessage && (
+
+ )}
+ {eventId && (
+
+ Sentry Event ID: {eventId}
+
+ )}
+
+ );
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes.ts
new file mode 100644
index 000000000000..f717956345d0
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes.ts
@@ -0,0 +1,9 @@
+import {flatRoutes} from '@react-router/fs-routes';
+import {type RouteConfig} from '@react-router/dev/routes';
+import {hydrogenRoutes} from '@shopify/hydrogen';
+
+export default hydrogenRoutes([
+ ...(await flatRoutes()),
+ // Manual route definitions can be added to this array, in addition to or instead of using the `flatRoutes` file-based routing convention.
+ // See https://remix.run/docs/en/main/guides/routing for more details
+]) satisfies RouteConfig;
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/_index.tsx b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/_index.tsx
new file mode 100644
index 000000000000..75e0a32629a2
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/_index.tsx
@@ -0,0 +1,35 @@
+import { Link, useSearchParams } from 'react-router';
+import * as Sentry from '@sentry/react-router/cloudflare';
+
+declare global {
+ interface Window {
+ capturedExceptionId?: string;
+ }
+}
+
+export default function Index() {
+ const [searchParams] = useSearchParams();
+
+ if (searchParams.get('tag')) {
+ Sentry.setTags({
+ sentry_test: searchParams.get('tag'),
+ });
+ }
+
+ return (
+
+ );
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/action-formdata.tsx b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/action-formdata.tsx
new file mode 100644
index 000000000000..c109c9119030
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/action-formdata.tsx
@@ -0,0 +1,16 @@
+import { Form } from 'react-router';
+
+export async function action() {
+ return { message: 'success' };
+}
+
+export default function ActionFormData() {
+ return (
+
+ );
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/client-error.tsx b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/client-error.tsx
new file mode 100644
index 000000000000..aeb37f8c2acb
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/client-error.tsx
@@ -0,0 +1,15 @@
+export default function ErrorBoundaryCapture() {
+ return (
+
+
Client Error Page
+
+
+ );
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/loader-error.tsx b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/loader-error.tsx
new file mode 100644
index 000000000000..1548c38084ad
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/loader-error.tsx
@@ -0,0 +1,16 @@
+import { useLoaderData } from 'react-router';
+import type { LoaderFunction } from '@shopify/remix-oxygen';
+
+export default function LoaderError() {
+ useLoaderData();
+
+ return (
+
+
Loader Error
+
+ );
+}
+
+export const loader: LoaderFunction = () => {
+ throw new Error('Loader Error');
+};
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/navigate.tsx b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/navigate.tsx
new file mode 100644
index 000000000000..06ca3d7f2ae0
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/navigate.tsx
@@ -0,0 +1,20 @@
+import { useLoaderData } from 'react-router';
+import type { LoaderFunction } from '@shopify/remix-oxygen';
+
+export const loader: LoaderFunction = async ({ params: { id } }) => {
+ if (id === '-1') {
+ throw new Error('Unexpected Server Error');
+ }
+
+ return null;
+};
+
+export default function LoaderError() {
+ const data = useLoaderData() as { test?: string };
+
+ return (
+
+
{data && data.test ? data.test : 'Not Found'}
+
+ );
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/user.$id.tsx b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/user.$id.tsx
new file mode 100644
index 000000000000..13b2e0a34d1e
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/routes/user.$id.tsx
@@ -0,0 +1,3 @@
+export default function User() {
+ return
I am a blank page
;
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/utils.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/utils.ts
new file mode 100644
index 000000000000..6fddd5f66ee0
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/app/utils.ts
@@ -0,0 +1,41 @@
+import { useLocation } from 'react-router';
+import type { SelectedOption } from '@shopify/hydrogen/storefront-api-types';
+import { useMemo } from 'react';
+
+export function useVariantUrl(handle: string, selectedOptions: SelectedOption[]) {
+ const { pathname } = useLocation();
+
+ return useMemo(() => {
+ return getVariantUrl({
+ handle,
+ pathname,
+ searchParams: new URLSearchParams(),
+ selectedOptions,
+ });
+ }, [handle, selectedOptions, pathname]);
+}
+
+export function getVariantUrl({
+ handle,
+ pathname,
+ searchParams,
+ selectedOptions,
+}: {
+ handle: string;
+ pathname: string;
+ searchParams: URLSearchParams;
+ selectedOptions: SelectedOption[];
+}) {
+ const match = /(\/[a-zA-Z]{2}-[a-zA-Z]{2}\/)/g.exec(pathname);
+ const isLocalePathname = match && match.length > 0;
+
+ const path = isLocalePathname ? `${match![0]}products/${handle}` : `/products/${handle}`;
+
+ selectedOptions.forEach(option => {
+ searchParams.set(option.name, option.value);
+ });
+
+ const searchString = searchParams.toString();
+
+ return path + (searchString ? '?' + searchParams.toString() : '');
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/env.d.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/env.d.ts
new file mode 100644
index 000000000000..ce37d9f3c464
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/env.d.ts
@@ -0,0 +1,59 @@
+///
+///
+///
+
+// Enhance TypeScript's built-in typings.
+import '@total-typescript/ts-reset';
+
+import type { CustomerAccount, HydrogenCart, HydrogenSessionData, Storefront } from '@shopify/hydrogen';
+import type { AppSession } from '~/lib/session';
+
+declare global {
+ /**
+ * A global `process` object is only available during build to access NODE_ENV.
+ */
+ const process: { env: { NODE_ENV: 'production' | 'development' } };
+
+ /**
+ * Declare expected Env parameter in fetch handler.
+ */
+ interface Env {
+ SESSION_SECRET: string;
+ PUBLIC_STOREFRONT_API_TOKEN: string;
+ PRIVATE_STOREFRONT_API_TOKEN: string;
+ PUBLIC_STORE_DOMAIN: string;
+ PUBLIC_STOREFRONT_ID: string;
+ PUBLIC_CUSTOMER_ACCOUNT_API_CLIENT_ID: string;
+ PUBLIC_CUSTOMER_ACCOUNT_API_URL: string;
+ PUBLIC_CHECKOUT_DOMAIN: string;
+ }
+}
+
+declare module 'react-router' {
+ /**
+ * Declare local additions to the Remix loader context.
+ */
+ interface AppLoadContext {
+ env: Env;
+ cart: HydrogenCart;
+ storefront: Storefront;
+ customerAccount: CustomerAccount;
+ session: AppSession;
+ waitUntil: ExecutionContext['waitUntil'];
+ }
+
+ // TODO: remove this once we've migrated to `Route.LoaderArgs` for our loaders
+ interface LoaderFunctionArgs {
+ context: AppLoadContext;
+ }
+
+ // TODO: remove this once we've migrated to `Route.ActionArgs` for our actions
+ interface ActionFunctionArgs {
+ context: AppLoadContext;
+ }
+
+ /**
+ * Declare local additions to the Remix session data.
+ */
+ interface SessionData extends HydrogenSessionData {}
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/globals.d.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/globals.d.ts
new file mode 100644
index 000000000000..4130ac6a8a09
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/globals.d.ts
@@ -0,0 +1,7 @@
+interface Window {
+ recordedTransactions?: string[];
+ capturedExceptionId?: string;
+ ENV: {
+ SENTRY_DSN: string;
+ };
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/instrument.server.mjs b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/instrument.server.mjs
new file mode 100644
index 000000000000..044e50e1b86c
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/instrument.server.mjs
@@ -0,0 +1,9 @@
+import * as Sentry from "@sentry/react-router";
+Sentry.init({
+ dsn: "https://examplePublicKey@o0.ingest.sentry.io/0",
+ // Adds request headers and IP for users, for more info visit:
+ // https://docs.sentry.io/platforms/javascript/guides/react-router/configuration/options/#sendDefaultPii
+ sendDefaultPii: true,
+ tracesSampleRate: 1.0,
+ tunnel: `http://localhost:3031/`, // proxy server
+});
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/package.json b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/package.json
new file mode 100644
index 000000000000..75b4f35ae507
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/package.json
@@ -0,0 +1,58 @@
+{
+ "private": true,
+ "sideEffects": false,
+ "type": "module",
+ "scripts": {
+ "build": "pnpm typecheck && shopify hydrogen build --codegen",
+ "dev": "shopify hydrogen dev --codegen",
+ "preview": "shopify hydrogen preview",
+ "lint": "eslint --no-error-on-unmatched-pattern --ext .js,.ts,.jsx,.tsx .",
+ "typecheck": "tsc",
+ "codegen": "shopify hydrogen codegen",
+ "clean": "npx rimraf node_modules dist pnpm-lock.yaml",
+ "test:build": "pnpm install && npx playwright install && pnpm build",
+ "test:assert": "pnpm playwright test"
+ },
+ "prettier": "@shopify/prettier-config",
+ "dependencies": {
+ "@sentry/cloudflare": "latest || *",
+ "@sentry/react-router": "latest || *",
+ "@sentry/vite-plugin": "^3.1.2",
+ "@shopify/hydrogen": "2025.5.0",
+ "@shopify/remix-oxygen": "^3.0.0",
+ "graphql": "^16.10.0",
+ "graphql-tag": "^2.12.6",
+ "isbot": "^5.1.22",
+ "react": "^18.2.0",
+ "react-dom": "^18.2.0",
+ "react-router": "^7.6.0",
+ "react-router-dom": "^7.6.0"
+ },
+ "devDependencies": {
+ "@graphql-codegen/cli": "5.0.2",
+ "@playwright/test": "~1.53.2",
+ "@react-router/dev": "7.6.0",
+ "@react-router/fs-routes": "7.6.0",
+ "@sentry-internal/test-utils": "link:../../../test-utils",
+ "@shopify/cli": "3.80.4",
+ "@shopify/hydrogen-codegen": "^0.3.3",
+ "@shopify/mini-oxygen": "3.2.1",
+ "@shopify/oxygen-workers-types": "^4.1.6",
+ "@shopify/prettier-config": "^1.1.2",
+ "@tailwindcss/vite": "4.0.0-alpha.17",
+ "@total-typescript/ts-reset": "^0.4.2",
+ "@types/eslint": "^8.4.10",
+ "@types/react": "^18.2.22",
+ "@types/react-dom": "^18.2.7",
+ "esbuild": "0.25.0",
+ "eslint": "^9.18.0",
+ "eslint-plugin-hydrogen": "0.12.2",
+ "prettier": "^3.4.2",
+ "typescript": "^5.2.2",
+ "vite": "^6.2.4",
+ "vite-tsconfig-paths": "^4.3.1"
+ },
+ "volta": {
+ "extends": "../../package.json"
+ }
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/playwright.config.mjs b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/playwright.config.mjs
new file mode 100644
index 000000000000..700607cc6f95
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/playwright.config.mjs
@@ -0,0 +1,8 @@
+import { getPlaywrightConfig } from '@sentry-internal/test-utils';
+
+const config = getPlaywrightConfig({
+ startCommand: `pnpm run preview`,
+ port: 3000,
+});
+
+export default config;
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/public/favicon.ico b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/public/favicon.ico
new file mode 100644
index 000000000000..f6c649733d68
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/public/favicon.ico
@@ -0,0 +1,28 @@
+
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/public/favicon.svg b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/public/favicon.svg
new file mode 100644
index 000000000000..f6c649733d68
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/public/favicon.svg
@@ -0,0 +1,28 @@
+
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/react-router.config.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/react-router.config.ts
new file mode 100644
index 000000000000..5c25f23ad404
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/react-router.config.ts
@@ -0,0 +1,14 @@
+import type {Config} from '@react-router/dev/config';
+import { sentryOnBuildEnd } from '@sentry/react-router';
+
+export default {
+ appDirectory: 'app',
+ buildDirectory: 'dist',
+ ssr: true,
+ buildEnd: async ({ viteConfig, reactRouterConfig, buildManifest }) => {
+ // ...
+ // Call this at the end of the hook
+ (await sentryOnBuildEnd({ viteConfig, reactRouterConfig, buildManifest }));
+ }
+} satisfies Config;
+
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/server.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/server.ts
new file mode 100644
index 000000000000..07638d967cf7
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/server.ts
@@ -0,0 +1,132 @@
+import {
+ cartGetIdDefault,
+ cartSetIdDefault,
+ createCartHandler,
+ createCustomerAccountClient,
+ createStorefrontClient,
+ storefrontRedirect,
+} from '@shopify/hydrogen';
+import { type AppLoadContext, createRequestHandler, getStorefrontHeaders } from '@shopify/remix-oxygen';
+import { CART_QUERY_FRAGMENT } from '~/lib/fragments';
+import { AppSession } from '~/lib/session';
+import { wrapRequestHandler } from '@sentry/cloudflare';
+
+/**
+ * Export a fetch handler in module format.
+ */
+type Env = {
+ SESSION_SECRET: string;
+ PUBLIC_STOREFRONT_API_TOKEN: string;
+ PRIVATE_STOREFRONT_API_TOKEN: string;
+ PUBLIC_STORE_DOMAIN: string;
+ PUBLIC_STOREFRONT_ID: string;
+ PUBLIC_CUSTOMER_ACCOUNT_API_CLIENT_ID: string;
+ PUBLIC_CUSTOMER_ACCOUNT_API_URL: string;
+ // Add any other environment variables your app expects here
+};
+
+export default {
+ async fetch(request: Request, env: Env, executionContext: ExecutionContext): Promise {
+ return wrapRequestHandler(
+ {
+ options: {
+ environment: 'qa', // dynamic sampling bias to keep transactions
+ dsn: 'https://public@dsn.ingest.sentry.io/1337',
+ tracesSampleRate: 1.0,
+ tunnel: `http://localhost:3031/`, // proxy server
+ },
+ // Need to cast to any because this is not on cloudflare
+ request: request as any,
+ context: executionContext,
+ },
+ async () => {
+ try {
+ /**
+ * Open a cache instance in the worker and a custom session instance.
+ */
+ if (!env?.SESSION_SECRET) {
+ throw new Error('SESSION_SECRET environment variable is not set');
+ }
+
+ const waitUntil = executionContext.waitUntil.bind(executionContext);
+ const [cache, session] = await Promise.all([
+ caches.open('hydrogen'),
+ AppSession.init(request, [env.SESSION_SECRET]),
+ ]);
+
+ /**
+ * Create Hydrogen's Storefront client.
+ */
+ const { storefront } = createStorefrontClient({
+ cache,
+ waitUntil,
+ i18n: { language: 'EN', country: 'US' },
+ publicStorefrontToken: env.PUBLIC_STOREFRONT_API_TOKEN,
+ privateStorefrontToken: env.PRIVATE_STOREFRONT_API_TOKEN,
+ storeDomain: env.PUBLIC_STORE_DOMAIN,
+ storefrontId: env.PUBLIC_STOREFRONT_ID,
+ storefrontHeaders: getStorefrontHeaders(request),
+ });
+
+ /**
+ * Create a client for Customer Account API.
+ */
+ const customerAccount = createCustomerAccountClient({
+ waitUntil,
+ request,
+ session,
+ customerAccountId: env.PUBLIC_CUSTOMER_ACCOUNT_API_CLIENT_ID,
+ shopId: env.PUBLIC_STORE_DOMAIN,
+ });
+
+ /*
+ * Create a cart handler that will be used to
+ * create and update the cart in the session.
+ */
+ const cart = createCartHandler({
+ storefront,
+ customerAccount,
+ getCartId: cartGetIdDefault(request.headers),
+ setCartId: cartSetIdDefault(),
+ cartQueryFragment: CART_QUERY_FRAGMENT,
+ });
+
+ /**
+ * Create a Remix request handler and pass
+ * Hydrogen's Storefront client to the loader context.
+ */
+ const handleRequest = createRequestHandler({
+ // @ts-ignore
+ build: await import('virtual:react-router/server-build'),
+ mode: process.env.NODE_ENV,
+ getLoadContext: (): AppLoadContext => ({
+ session,
+ storefront,
+ customerAccount,
+ cart,
+ env,
+ waitUntil,
+ }),
+ });
+
+ const response = await handleRequest(request);
+
+ if (response.status === 404) {
+ /**
+ * Check for redirects only when there's a 404 from the app.
+ * If the redirect doesn't exist, then `storefrontRedirect`
+ * will pass through the 404 response.
+ */
+ return storefrontRedirect({ request, response, storefront });
+ }
+
+ return response;
+ } catch (error) {
+ // eslint-disable-next-line no-console
+ console.error(error);
+ return new Response('An unexpected error occurred', { status: 500 });
+ }
+ },
+ );
+ },
+};
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/start-event-proxy.mjs b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/start-event-proxy.mjs
new file mode 100644
index 000000000000..da1e39797ee0
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/start-event-proxy.mjs
@@ -0,0 +1,6 @@
+import { startEventProxyServer } from '@sentry-internal/test-utils';
+
+startEventProxyServer({
+ port: 3031,
+ proxyServerName: 'hydrogen-react-router-7',
+});
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tests/client-errors.test.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tests/client-errors.test.ts
new file mode 100644
index 000000000000..a14347cdc519
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tests/client-errors.test.ts
@@ -0,0 +1,32 @@
+import { expect, test } from '@playwright/test';
+import { waitForError } from '@sentry-internal/test-utils';
+
+test('Sends a client-side exception to Sentry', async ({ page }) => {
+ const errorPromise = waitForError('hydrogen-react-router-7', errorEvent => {
+ return errorEvent.exception?.values?.[0].value === 'I am an error!';
+ });
+
+ await page.goto('/');
+
+ const exceptionButton = page.locator('id=exception-button');
+ await exceptionButton.click();
+
+ const errorEvent = await errorPromise;
+
+ expect(errorEvent).toBeDefined();
+});
+
+test('Sends a client-side ErrorBoundary exception to Sentry', async ({ page }) => {
+ const errorPromise = waitForError('hydrogen-react-router-7', errorEvent => {
+ return errorEvent.exception?.values?.[0].value === 'Sentry React Component Error';
+ });
+
+ await page.goto('/client-error');
+
+ const throwButton = page.locator('id=throw-on-click');
+ await throwButton.click();
+
+ const errorEvent = await errorPromise;
+
+ expect(errorEvent).toBeDefined();
+});
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tests/client-transactions.test.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tests/client-transactions.test.ts
new file mode 100644
index 000000000000..1adb44011d07
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tests/client-transactions.test.ts
@@ -0,0 +1,60 @@
+import { expect, test } from '@playwright/test';
+import { waitForTransaction } from '@sentry-internal/test-utils';
+
+test('Sends a pageload transaction to Sentry', async ({ page }) => {
+ const transactionPromise = waitForTransaction('hydrogen-react-router-7', transactionEvent => {
+ return transactionEvent.contexts?.trace?.op === 'pageload' && transactionEvent.transaction === '/';
+ });
+
+ await page.goto('/');
+
+ const transactionEvent = await transactionPromise;
+
+ expect(transactionEvent).toBeDefined();
+});
+
+test('Sends a navigation transaction to Sentry', async ({ page }) => {
+ const transactionPromise = waitForTransaction('hydrogen-react-router-7', transactionEvent => {
+ return transactionEvent.contexts?.trace?.op === 'navigation' && transactionEvent.transaction === '/user/:id';
+ });
+
+ await page.goto('/');
+
+ const linkElement = page.locator('id=navigation');
+ await linkElement.click();
+
+ const transactionEvent = await transactionPromise;
+
+ expect(transactionEvent).toBeDefined();
+ expect(transactionEvent).toMatchObject({
+ transaction: '/user/:id',
+ });
+});
+
+test('Renders `sentry-trace` and `baggage` meta tags for the root route', async ({ page }) => {
+ await page.goto('/');
+
+ const sentryTraceMetaTag = await page.waitForSelector('meta[name="sentry-trace"]', {
+ state: 'attached',
+ });
+ const baggageMetaTag = await page.waitForSelector('meta[name="baggage"]', {
+ state: 'attached',
+ });
+
+ expect(sentryTraceMetaTag).toBeTruthy();
+ expect(baggageMetaTag).toBeTruthy();
+});
+
+test('Renders `sentry-trace` and `baggage` meta tags for a sub-route', async ({ page }) => {
+ await page.goto('/user/123');
+
+ const sentryTraceMetaTag = await page.waitForSelector('meta[name="sentry-trace"]', {
+ state: 'attached',
+ });
+ const baggageMetaTag = await page.waitForSelector('meta[name="baggage"]', {
+ state: 'attached',
+ });
+
+ expect(sentryTraceMetaTag).toBeTruthy();
+ expect(baggageMetaTag).toBeTruthy();
+});
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tests/server-transactions.test.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tests/server-transactions.test.ts
new file mode 100644
index 000000000000..0455ea2e0b79
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tests/server-transactions.test.ts
@@ -0,0 +1,53 @@
+import { expect, test } from '@playwright/test';
+import { waitForTransaction } from '@sentry-internal/test-utils';
+
+test.describe.configure({ mode: 'serial' });
+
+test('Sends parameterized transaction name to Sentry', async ({ page }) => {
+ const transactionPromise = waitForTransaction('hydrogen-react-router-7', transactionEvent => {
+ return transactionEvent.contexts?.trace?.op === 'http.server';
+ });
+
+ await page.goto('/user/123');
+
+ const transaction = await transactionPromise;
+
+ expect(transaction).toBeDefined();
+ expect(transaction.transaction).toBe('GET /user/123');
+});
+
+test('Sends two linked transactions (server & client) to Sentry', async ({ page }) => {
+ // We use this to identify the transactions
+ const testTag = crypto.randomUUID();
+
+ const httpServerTransactionPromise = waitForTransaction('hydrogen-react-router-7', transactionEvent => {
+ return transactionEvent.contexts?.trace?.op === 'http.server' && transactionEvent.tags?.['sentry_test'] === testTag;
+ });
+
+ const pageLoadTransactionPromise = waitForTransaction('hydrogen-react-router-7', transactionEvent => {
+ return transactionEvent.contexts?.trace?.op === 'pageload' && transactionEvent.tags?.['sentry_test'] === testTag;
+ });
+
+ page.goto(`/?tag=${testTag}`);
+
+ const pageloadTransaction = await pageLoadTransactionPromise;
+ const httpServerTransaction = await httpServerTransactionPromise;
+
+ expect(pageloadTransaction).toBeDefined();
+ expect(httpServerTransaction).toBeDefined();
+
+ const httpServerTraceId = httpServerTransaction.contexts?.trace?.trace_id;
+ const httpServerSpanId = httpServerTransaction.contexts?.trace?.span_id;
+
+ const pageLoadTraceId = pageloadTransaction.contexts?.trace?.trace_id;
+ const pageLoadSpanId = pageloadTransaction.contexts?.trace?.span_id;
+
+ expect(httpServerTransaction.transaction).toBe('GET /');
+ expect(pageloadTransaction.transaction).toBe('/');
+
+ expect(httpServerTraceId).toBeDefined();
+ expect(httpServerSpanId).toBeDefined();
+
+ expect(pageLoadTraceId).toEqual(httpServerTraceId);
+ expect(pageLoadSpanId).not.toEqual(httpServerSpanId);
+});
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tsconfig.json b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tsconfig.json
new file mode 100644
index 000000000000..af4a50ee6f5a
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/tsconfig.json
@@ -0,0 +1,30 @@
+{
+ "include": [
+ "server.ts",
+ "./app/**/*.d.ts",
+ "./app/**/*.ts",
+ "./app/**/*.tsx",
+ ".react-router/types/**/*"
+ ],
+ "compilerOptions": {
+ "lib": ["DOM", "DOM.Iterable", "ES2022"],
+ "isolatedModules": true,
+ "esModuleInterop": true,
+ "jsx": "react-jsx",
+ "moduleResolution": "Bundler",
+ "resolveJsonModule": true,
+ "module": "ES2022",
+ "target": "ES2022",
+ "strict": true,
+ "allowJs": true,
+ "forceConsistentCasingInFileNames": true,
+ "skipLibCheck": true,
+ "baseUrl": ".",
+ "types": ["@shopify/oxygen-workers-types"],
+ "paths": {
+ "~/*": ["app/*"]
+ },
+ "rootDirs": [".", "./.react-router/types"],
+ "noEmit": true
+ }
+}
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/vite.config.ts b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/vite.config.ts
new file mode 100644
index 000000000000..fbce6e7c8463
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/vite.config.ts
@@ -0,0 +1,51 @@
+import { reactRouter } from '@react-router/dev/vite';
+import { hydrogen } from '@shopify/hydrogen/vite';
+import { oxygen } from '@shopify/mini-oxygen/vite';
+import { defineConfig } from 'vite';
+import tsconfigPaths from 'vite-tsconfig-paths';
+import { sentryReactRouter, type SentryReactRouterBuildOptions } from '@sentry/react-router';
+
+const sentryConfig: SentryReactRouterBuildOptions = {
+ org: "example-org",
+ project: "example-project",
+ // An auth token is required for uploading source maps;
+ // store it in an environment variable to keep it secure.
+ authToken: process.env.SENTRY_AUTH_TOKEN,
+ // ...
+};
+
+
+export default defineConfig(config => ({
+ plugins: [
+ hydrogen(),
+ oxygen(),
+ reactRouter(),
+ sentryReactRouter(sentryConfig, config),
+ tsconfigPaths({
+ // The dev server config errors are not relevant to this test app
+ // https://github.com/aleclarson/vite-tsconfig-paths?tab=readme-ov-file#options
+ ignoreConfigErrors: true,
+ }),
+ ],
+ // build: {
+ // // Allow a strict Content-Security-Policy
+ // // without inlining assets as base64:
+ // assetsInlineLimit: 0,
+ // minify: false,
+ // },
+ ssr: {
+ optimizeDeps: {
+ /**
+ * Include dependencies here if they throw CJS<>ESM errors.
+ * For example, for the following error:
+ *
+ * > ReferenceError: module is not defined
+ * > at /Users/.../node_modules/example-dep/index.js:1:1
+ *
+ * Include 'example-dep' in the array below.
+ * @see https://vitejs.dev/config/dep-optimization-options
+ */
+ include: ['hoist-non-react-statics', '@sentry/react-router'],
+ },
+ },
+}));
diff --git a/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/wrangler.toml b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/wrangler.toml
new file mode 100644
index 000000000000..b2de8e7d1321
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/hydrogen-react-router-7/wrangler.toml
@@ -0,0 +1,3 @@
+name = "hydrogen-react-router-7"
+main = "server.ts"
+compatibility_flags = ["transformstream_enable_standard_constructor"]
diff --git a/dev-packages/e2e-tests/test-applications/nestjs-11/tests/span-decorator.test.ts b/dev-packages/e2e-tests/test-applications/nestjs-11/tests/span-decorator.test.ts
index 3d63c1d17953..344ba18223cc 100644
--- a/dev-packages/e2e-tests/test-applications/nestjs-11/tests/span-decorator.test.ts
+++ b/dev-packages/e2e-tests/test-applications/nestjs-11/tests/span-decorator.test.ts
@@ -22,7 +22,7 @@ test('Transaction includes span and correct value for decorated async function',
span_id: expect.stringMatching(/[a-f0-9]{16}/),
trace_id: expect.stringMatching(/[a-f0-9]{32}/),
data: {
- 'sentry.origin': 'manual',
+ 'sentry.origin': 'auto.function.nestjs.sentry_traced',
'sentry.op': 'wait and return a string',
},
description: 'wait',
@@ -30,7 +30,7 @@ test('Transaction includes span and correct value for decorated async function',
start_timestamp: expect.any(Number),
status: 'ok',
op: 'wait and return a string',
- origin: 'manual',
+ origin: 'auto.function.nestjs.sentry_traced',
}),
]),
);
@@ -57,7 +57,7 @@ test('Transaction includes span and correct value for decorated sync function',
span_id: expect.stringMatching(/[a-f0-9]{16}/),
trace_id: expect.stringMatching(/[a-f0-9]{32}/),
data: {
- 'sentry.origin': 'manual',
+ 'sentry.origin': 'auto.function.nestjs.sentry_traced',
'sentry.op': 'return a string',
},
description: 'getString',
@@ -65,7 +65,7 @@ test('Transaction includes span and correct value for decorated sync function',
start_timestamp: expect.any(Number),
status: 'ok',
op: 'return a string',
- origin: 'manual',
+ origin: 'auto.function.nestjs.sentry_traced',
}),
]),
);
diff --git a/dev-packages/e2e-tests/test-applications/nestjs-8/tests/span-decorator.test.ts b/dev-packages/e2e-tests/test-applications/nestjs-8/tests/span-decorator.test.ts
index 57eca5bc9dfe..961586bacb7f 100644
--- a/dev-packages/e2e-tests/test-applications/nestjs-8/tests/span-decorator.test.ts
+++ b/dev-packages/e2e-tests/test-applications/nestjs-8/tests/span-decorator.test.ts
@@ -22,7 +22,7 @@ test('Transaction includes span and correct value for decorated async function',
span_id: expect.stringMatching(/[a-f0-9]{16}/),
trace_id: expect.stringMatching(/[a-f0-9]{32}/),
data: {
- 'sentry.origin': 'manual',
+ 'sentry.origin': 'auto.function.nestjs.sentry_traced',
'sentry.op': 'wait and return a string',
},
description: 'wait',
@@ -30,7 +30,7 @@ test('Transaction includes span and correct value for decorated async function',
start_timestamp: expect.any(Number),
status: 'ok',
op: 'wait and return a string',
- origin: 'manual',
+ origin: 'auto.function.nestjs.sentry_traced',
}),
]),
);
@@ -57,7 +57,7 @@ test('Transaction includes span and correct value for decorated sync function',
span_id: expect.stringMatching(/[a-f0-9]{16}/),
trace_id: expect.stringMatching(/[a-f0-9]{32}/),
data: {
- 'sentry.origin': 'manual',
+ 'sentry.origin': 'auto.function.nestjs.sentry_traced',
'sentry.op': 'return a string',
},
description: 'getString',
@@ -65,7 +65,7 @@ test('Transaction includes span and correct value for decorated sync function',
start_timestamp: expect.any(Number),
status: 'ok',
op: 'return a string',
- origin: 'manual',
+ origin: 'auto.function.nestjs.sentry_traced',
}),
]),
);
diff --git a/dev-packages/e2e-tests/test-applications/nestjs-basic/tests/span-decorator.test.ts b/dev-packages/e2e-tests/test-applications/nestjs-basic/tests/span-decorator.test.ts
index b82213e6157a..87d66a0a2d4d 100644
--- a/dev-packages/e2e-tests/test-applications/nestjs-basic/tests/span-decorator.test.ts
+++ b/dev-packages/e2e-tests/test-applications/nestjs-basic/tests/span-decorator.test.ts
@@ -22,7 +22,7 @@ test('Transaction includes span and correct value for decorated async function',
span_id: expect.stringMatching(/[a-f0-9]{16}/),
trace_id: expect.stringMatching(/[a-f0-9]{32}/),
data: {
- 'sentry.origin': 'manual',
+ 'sentry.origin': 'auto.function.nestjs.sentry_traced',
'sentry.op': 'wait and return a string',
},
description: 'wait',
@@ -30,7 +30,7 @@ test('Transaction includes span and correct value for decorated async function',
start_timestamp: expect.any(Number),
status: 'ok',
op: 'wait and return a string',
- origin: 'manual',
+ origin: 'auto.function.nestjs.sentry_traced',
}),
]),
);
@@ -57,7 +57,7 @@ test('Transaction includes span and correct value for decorated sync function',
span_id: expect.stringMatching(/[a-f0-9]{16}/),
trace_id: expect.stringMatching(/[a-f0-9]{32}/),
data: {
- 'sentry.origin': 'manual',
+ 'sentry.origin': 'auto.function.nestjs.sentry_traced',
'sentry.op': 'return a string',
},
description: 'getString',
@@ -65,7 +65,7 @@ test('Transaction includes span and correct value for decorated sync function',
start_timestamp: expect.any(Number),
status: 'ok',
op: 'return a string',
- origin: 'manual',
+ origin: 'auto.function.nestjs.sentry_traced',
}),
]),
);
diff --git a/dev-packages/e2e-tests/test-applications/nestjs-fastify/tests/span-decorator.test.ts b/dev-packages/e2e-tests/test-applications/nestjs-fastify/tests/span-decorator.test.ts
index 6efb193751b9..14e53bf5912e 100644
--- a/dev-packages/e2e-tests/test-applications/nestjs-fastify/tests/span-decorator.test.ts
+++ b/dev-packages/e2e-tests/test-applications/nestjs-fastify/tests/span-decorator.test.ts
@@ -22,7 +22,7 @@ test('Transaction includes span and correct value for decorated async function',
span_id: expect.stringMatching(/[a-f0-9]{16}/),
trace_id: expect.stringMatching(/[a-f0-9]{32}/),
data: {
- 'sentry.origin': 'manual',
+ 'sentry.origin': 'auto.function.nestjs.sentry_traced',
'sentry.op': 'wait and return a string',
},
description: 'wait',
@@ -30,7 +30,7 @@ test('Transaction includes span and correct value for decorated async function',
start_timestamp: expect.any(Number),
status: 'ok',
op: 'wait and return a string',
- origin: 'manual',
+ origin: 'auto.function.nestjs.sentry_traced',
}),
]),
);
@@ -57,7 +57,7 @@ test('Transaction includes span and correct value for decorated sync function',
span_id: expect.stringMatching(/[a-f0-9]{16}/),
trace_id: expect.stringMatching(/[a-f0-9]{32}/),
data: {
- 'sentry.origin': 'manual',
+ 'sentry.origin': 'auto.function.nestjs.sentry_traced',
'sentry.op': 'return a string',
},
description: 'getString',
@@ -65,7 +65,7 @@ test('Transaction includes span and correct value for decorated sync function',
start_timestamp: expect.any(Number),
status: 'ok',
op: 'return a string',
- origin: 'manual',
+ origin: 'auto.function.nestjs.sentry_traced',
}),
]),
);
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-3-min/nuxt.config.ts b/dev-packages/e2e-tests/test-applications/nuxt-3-min/nuxt.config.ts
index 0fcccd560af9..77393582e048 100644
--- a/dev-packages/e2e-tests/test-applications/nuxt-3-min/nuxt.config.ts
+++ b/dev-packages/e2e-tests/test-applications/nuxt-3-min/nuxt.config.ts
@@ -1,9 +1,17 @@
// https://nuxt.com/docs/api/configuration/nuxt-config
export default defineNuxtConfig({
modules: ['@sentry/nuxt/module'],
- imports: {
- autoImport: false,
+ imports: { autoImport: false },
+
+ routeRules: {
+ '/rendering-modes/client-side-only-page': { ssr: false },
+ '/rendering-modes/isr-cached-page': { isr: true },
+ '/rendering-modes/isr-1h-cached-page': { isr: 3600 },
+ '/rendering-modes/swr-cached-page': { swr: true },
+ '/rendering-modes/swr-1h-cached-page': { swr: 3600 },
+ '/rendering-modes/pre-rendered-page': { prerender: true },
},
+
runtimeConfig: {
public: {
sentry: {
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/client-side-only-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/client-side-only-page.vue
new file mode 100644
index 000000000000..fb41b62b3308
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/client-side-only-page.vue
@@ -0,0 +1 @@
+
Client Side Only Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/isr-1h-cached-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/isr-1h-cached-page.vue
new file mode 100644
index 000000000000..e702eca86715
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/isr-1h-cached-page.vue
@@ -0,0 +1 @@
+
ISR 1h Cached Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/isr-cached-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/isr-cached-page.vue
new file mode 100644
index 000000000000..780adc07de53
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/isr-cached-page.vue
@@ -0,0 +1 @@
+
ISR Cached Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/pre-rendered-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/pre-rendered-page.vue
new file mode 100644
index 000000000000..25b423a4c442
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/pre-rendered-page.vue
@@ -0,0 +1 @@
+
Pre-Rendered Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/swr-1h-cached-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/swr-1h-cached-page.vue
new file mode 100644
index 000000000000..24918924f4a9
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/swr-1h-cached-page.vue
@@ -0,0 +1 @@
+
SWR 1h Cached Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/swr-cached-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/swr-cached-page.vue
new file mode 100644
index 000000000000..d0d8e7241968
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-3-min/pages/rendering-modes/swr-cached-page.vue
@@ -0,0 +1 @@
+
SWR Cached Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-3-min/tests/tracing.cached-html.test.ts b/dev-packages/e2e-tests/test-applications/nuxt-3-min/tests/tracing.cached-html.test.ts
new file mode 100644
index 000000000000..4c31667feed0
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-3-min/tests/tracing.cached-html.test.ts
@@ -0,0 +1,206 @@
+import { expect, test, type Page } from '@playwright/test';
+import { waitForTransaction } from '@sentry-internal/test-utils';
+
+test.describe('Rendering Modes with Cached HTML', () => {
+ test('changes tracing meta tags with multiple requests on Client-Side only page', async ({ page }) => {
+ await testChangingTracingMetaTagsOnISRPage(page, '/rendering-modes/client-side-only-page', 'Client Side Only Page');
+ });
+
+ test('changes tracing meta tags with multiple requests on ISR-cached page', async ({ page }) => {
+ await testChangingTracingMetaTagsOnISRPage(page, '/rendering-modes/isr-cached-page', 'ISR Cached Page');
+ });
+
+ test('changes tracing meta tags with multiple requests on 1h ISR-cached page', async ({ page }) => {
+ await testChangingTracingMetaTagsOnISRPage(page, '/rendering-modes/isr-1h-cached-page', 'ISR 1h Cached Page');
+ });
+
+ test('exclude tracing meta tags on SWR-cached page', async ({ page }) => {
+ await testExcludeTracingMetaTagsOnCachedPage(page, '/rendering-modes/swr-cached-page', 'SWR Cached Page');
+ });
+
+ test('exclude tracing meta tags on SWR 1h cached page', async ({ page }) => {
+ await testExcludeTracingMetaTagsOnCachedPage(page, '/rendering-modes/swr-1h-cached-page', 'SWR 1h Cached Page');
+ });
+
+ test('exclude tracing meta tags on pre-rendered page', async ({ page }) => {
+ await testExcludeTracingMetaTagsOnCachedPage(page, '/rendering-modes/pre-rendered-page', 'Pre-Rendered Page');
+ });
+});
+
+/**
+ * Tests that tracing meta-tags change with multiple requests on ISR-cached pages
+ * This utility handles the common pattern of:
+ * 1. Making two requests to an ISR-cached page
+ * 2. Verifying tracing meta-tags are present and change between requests
+ * 3. Verifying distributed tracing works correctly for both requests
+ * 4. Verifying trace IDs are different between requests
+ *
+ * @param page - Playwright page object
+ * @param routePath - The route path to test (e.g., '/rendering-modes/isr-cached-page')
+ * @param expectedPageText - The text to verify is visible on the page (e.g., 'ISR Cached Page')
+ */
+export async function testChangingTracingMetaTagsOnISRPage(
+ page: Page,
+ routePath: string,
+ expectedPageText: string,
+): Promise {
+ // === 1. Request ===
+ const clientTxnEventPromise1 = waitForTransaction('nuxt-3-min', txnEvent => {
+ return txnEvent.transaction === routePath;
+ });
+
+ const serverTxnEventPromise1 = waitForTransaction('nuxt-3-min', txnEvent => {
+ return txnEvent.transaction?.includes(`GET ${routePath}`) ?? false;
+ });
+
+ const [_1, clientTxnEvent1, serverTxnEvent1] = await Promise.all([
+ page.goto(routePath),
+ clientTxnEventPromise1,
+ serverTxnEventPromise1,
+ expect(page.getByText(expectedPageText, { exact: true })).toBeVisible(),
+ ]);
+
+ const baggageMetaTagContent1 = await page.locator('meta[name="baggage"]').getAttribute('content');
+ const sentryTraceMetaTagContent1 = await page.locator('meta[name="sentry-trace"]').getAttribute('content');
+ const [htmlMetaTraceId1] = sentryTraceMetaTagContent1?.split('-') || [];
+
+ // === 2. Request ===
+
+ const clientTxnEventPromise2 = waitForTransaction('nuxt-3-min', txnEvent => {
+ return txnEvent.transaction === routePath;
+ });
+
+ const serverTxnEventPromise2 = waitForTransaction('nuxt-3-min', txnEvent => {
+ return txnEvent.transaction?.includes(`GET ${routePath}`) ?? false;
+ });
+
+ const [_2, clientTxnEvent2, serverTxnEvent2] = await Promise.all([
+ page.goto(routePath),
+ clientTxnEventPromise2,
+ serverTxnEventPromise2,
+ expect(page.getByText(expectedPageText, { exact: true })).toBeVisible(),
+ ]);
+
+ const baggageMetaTagContent2 = await page.locator('meta[name="baggage"]').getAttribute('content');
+ const sentryTraceMetaTagContent2 = await page.locator('meta[name="sentry-trace"]').getAttribute('content');
+ const [htmlMetaTraceId2] = sentryTraceMetaTagContent2?.split('-') || [];
+
+ const serverTxnEvent1TraceId = serverTxnEvent1.contexts?.trace?.trace_id;
+ const serverTxnEvent2TraceId = serverTxnEvent2.contexts?.trace?.trace_id;
+
+ await test.step('Test distributed trace from 1. request', () => {
+ expect(baggageMetaTagContent1).toContain(`sentry-trace_id=${serverTxnEvent1TraceId}`);
+
+ expect(clientTxnEvent1.contexts?.trace?.trace_id).toBe(serverTxnEvent1TraceId);
+ expect(clientTxnEvent1.contexts?.trace?.parent_span_id).toBe(serverTxnEvent1.contexts?.trace?.span_id);
+ expect(serverTxnEvent1.contexts?.trace?.trace_id).toBe(htmlMetaTraceId1);
+ });
+
+ await test.step('Test distributed trace from 2. request', () => {
+ expect(baggageMetaTagContent2).toContain(`sentry-trace_id=${serverTxnEvent2TraceId}`);
+
+ expect(clientTxnEvent2.contexts?.trace?.trace_id).toBe(serverTxnEvent2TraceId);
+ expect(clientTxnEvent2.contexts?.trace?.parent_span_id).toBe(serverTxnEvent2.contexts?.trace?.span_id);
+ expect(serverTxnEvent2.contexts?.trace?.trace_id).toBe(htmlMetaTraceId2);
+ });
+
+ await test.step('Test that trace IDs from subsequent requests are different', () => {
+ // Different trace IDs for the server transactions
+ expect(serverTxnEvent1TraceId).toBeDefined();
+ expect(serverTxnEvent1TraceId).not.toBe(serverTxnEvent2TraceId);
+ expect(serverTxnEvent1TraceId).not.toBe(htmlMetaTraceId2);
+ });
+}
+
+/**
+ * Tests that tracing meta-tags are excluded on cached pages (SWR, pre-rendered, etc.)
+ * This utility handles the common pattern of:
+ * 1. Making two requests to a cached page
+ * 2. Verifying no tracing meta-tags are present
+ * 3. Verifying only the first request creates a server transaction
+ * 4. Verifying traces are not distributed
+ *
+ * @param page - Playwright page object
+ * @param routePath - The route path to test (e.g., '/rendering-modes/swr-cached-page')
+ * @param expectedPageText - The text to verify is visible on the page (e.g., 'SWR Cached Page')
+ * @returns Object containing transaction events for additional custom assertions
+ */
+export async function testExcludeTracingMetaTagsOnCachedPage(
+ page: Page,
+ routePath: string,
+ expectedPageText: string,
+): Promise {
+ // === 1. Request ===
+ const clientTxnEventPromise1 = waitForTransaction('nuxt-3-min', txnEvent => {
+ return txnEvent.transaction === routePath;
+ });
+
+ // Only the 1. request creates a server transaction
+ const serverTxnEventPromise1 = waitForTransaction('nuxt-3-min', txnEvent => {
+ return txnEvent.transaction?.includes(`GET ${routePath}`) ?? false;
+ });
+
+ const [_1, clientTxnEvent1, serverTxnEvent1] = await Promise.all([
+ page.goto(routePath),
+ clientTxnEventPromise1,
+ serverTxnEventPromise1,
+ expect(page.getByText(expectedPageText, { exact: true })).toBeVisible(),
+ ]);
+
+ // Verify no baggage and sentry-trace meta-tags are present on first request
+ expect(await page.locator('meta[name="baggage"]').count()).toBe(0);
+ expect(await page.locator('meta[name="sentry-trace"]').count()).toBe(0);
+
+ // === 2. Request ===
+
+ await page.goto(routePath);
+
+ const clientTxnEventPromise2 = waitForTransaction('nuxt-3-min', txnEvent => {
+ return txnEvent.transaction === routePath;
+ });
+
+ let serverTxnEvent2 = undefined;
+ const serverTxnEventPromise2 = Promise.race([
+ waitForTransaction('nuxt-3-min', txnEvent => {
+ return txnEvent.transaction?.includes(`GET ${routePath}`) ?? false;
+ }),
+ new Promise((_, reject) => setTimeout(() => reject(new Error('No second server transaction expected')), 2000)),
+ ]);
+
+ try {
+ serverTxnEvent2 = await serverTxnEventPromise2;
+ throw new Error('Second server transaction should not have been sent');
+ } catch (error) {
+ expect(error.message).toBe('No second server transaction expected');
+ }
+
+ const [clientTxnEvent2] = await Promise.all([
+ clientTxnEventPromise2,
+ expect(page.getByText(expectedPageText, { exact: true })).toBeVisible(),
+ ]);
+
+ const clientTxnEvent1TraceId = clientTxnEvent1.contexts?.trace?.trace_id;
+ const clientTxnEvent2TraceId = clientTxnEvent2.contexts?.trace?.trace_id;
+
+ const serverTxnEvent1TraceId = serverTxnEvent1.contexts?.trace?.trace_id;
+ const serverTxnEvent2TraceId = serverTxnEvent2?.contexts?.trace?.trace_id;
+
+ await test.step('No baggage and sentry-trace meta-tags are present on second request', async () => {
+ expect(await page.locator('meta[name="baggage"]').count()).toBe(0);
+ expect(await page.locator('meta[name="sentry-trace"]').count()).toBe(0);
+ });
+
+ await test.step('1. Server Transaction and all Client Transactions are defined', () => {
+ expect(serverTxnEvent1TraceId).toBeDefined();
+ expect(clientTxnEvent1TraceId).toBeDefined();
+ expect(clientTxnEvent2TraceId).toBeDefined();
+ expect(serverTxnEvent2).toBeUndefined();
+ expect(serverTxnEvent2TraceId).toBeUndefined();
+ });
+
+ await test.step('Trace is not distributed', () => {
+ // Cannot create distributed trace as HTML Meta Tags are not added (caching leads to multiple usages of the same server trace id)
+ expect(clientTxnEvent1TraceId).not.toBe(clientTxnEvent2TraceId);
+ expect(clientTxnEvent1TraceId).not.toBe(serverTxnEvent1TraceId);
+ });
+}
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/client-side-only-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/client-side-only-page.vue
new file mode 100644
index 000000000000..fb41b62b3308
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/client-side-only-page.vue
@@ -0,0 +1 @@
+
Client Side Only Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/isr-1h-cached-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/isr-1h-cached-page.vue
new file mode 100644
index 000000000000..e702eca86715
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/isr-1h-cached-page.vue
@@ -0,0 +1 @@
+
ISR 1h Cached Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/isr-cached-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/isr-cached-page.vue
new file mode 100644
index 000000000000..780adc07de53
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/isr-cached-page.vue
@@ -0,0 +1 @@
+
ISR Cached Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/pre-rendered-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/pre-rendered-page.vue
new file mode 100644
index 000000000000..25b423a4c442
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/pre-rendered-page.vue
@@ -0,0 +1 @@
+
Pre-Rendered Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/swr-1h-cached-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/swr-1h-cached-page.vue
new file mode 100644
index 000000000000..24918924f4a9
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/swr-1h-cached-page.vue
@@ -0,0 +1 @@
+
SWR 1h Cached Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/swr-cached-page.vue b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/swr-cached-page.vue
new file mode 100644
index 000000000000..d0d8e7241968
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-4/app/pages/rendering-modes/swr-cached-page.vue
@@ -0,0 +1 @@
+
SWR Cached Page
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-4/nuxt.config.ts b/dev-packages/e2e-tests/test-applications/nuxt-4/nuxt.config.ts
index 741d2d20706c..d0ae045f1e9d 100644
--- a/dev-packages/e2e-tests/test-applications/nuxt-4/nuxt.config.ts
+++ b/dev-packages/e2e-tests/test-applications/nuxt-4/nuxt.config.ts
@@ -3,6 +3,15 @@ export default defineNuxtConfig({
compatibilityDate: '2025-06-06',
imports: { autoImport: false },
+ routeRules: {
+ '/rendering-modes/client-side-only-page': { ssr: false },
+ '/rendering-modes/isr-cached-page': { isr: true },
+ '/rendering-modes/isr-1h-cached-page': { isr: 3600 },
+ '/rendering-modes/swr-cached-page': { swr: true },
+ '/rendering-modes/swr-1h-cached-page': { swr: 3600 },
+ '/rendering-modes/pre-rendered-page': { prerender: true },
+ },
+
modules: ['@pinia/nuxt', '@sentry/nuxt/module'],
runtimeConfig: {
diff --git a/dev-packages/e2e-tests/test-applications/nuxt-4/tests/tracing.cached-html.test.ts b/dev-packages/e2e-tests/test-applications/nuxt-4/tests/tracing.cached-html.test.ts
new file mode 100644
index 000000000000..1dea68dd77ff
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/nuxt-4/tests/tracing.cached-html.test.ts
@@ -0,0 +1,206 @@
+import { expect, test, type Page } from '@playwright/test';
+import { waitForTransaction } from '@sentry-internal/test-utils';
+
+test.describe('Rendering Modes with Cached HTML', () => {
+ test('changes tracing meta tags with multiple requests on Client-Side only page', async ({ page }) => {
+ await testChangingTracingMetaTagsOnISRPage(page, '/rendering-modes/client-side-only-page', 'Client Side Only Page');
+ });
+
+ test('changes tracing meta tags with multiple requests on ISR-cached page', async ({ page }) => {
+ await testChangingTracingMetaTagsOnISRPage(page, '/rendering-modes/isr-cached-page', 'ISR Cached Page');
+ });
+
+ test('changes tracing meta tags with multiple requests on 1h ISR-cached page', async ({ page }) => {
+ await testChangingTracingMetaTagsOnISRPage(page, '/rendering-modes/isr-1h-cached-page', 'ISR 1h Cached Page');
+ });
+
+ test('exclude tracing meta tags on SWR-cached page', async ({ page }) => {
+ await testExcludeTracingMetaTagsOnCachedPage(page, '/rendering-modes/swr-cached-page', 'SWR Cached Page');
+ });
+
+ test('exclude tracing meta tags on SWR 1h cached page', async ({ page }) => {
+ await testExcludeTracingMetaTagsOnCachedPage(page, '/rendering-modes/swr-1h-cached-page', 'SWR 1h Cached Page');
+ });
+
+ test('exclude tracing meta tags on pre-rendered page', async ({ page }) => {
+ await testExcludeTracingMetaTagsOnCachedPage(page, '/rendering-modes/pre-rendered-page', 'Pre-Rendered Page');
+ });
+});
+
+/**
+ * Tests that tracing meta-tags change with multiple requests on ISR-cached pages
+ * This utility handles the common pattern of:
+ * 1. Making two requests to an ISR-cached page
+ * 2. Verifying tracing meta-tags are present and change between requests
+ * 3. Verifying distributed tracing works correctly for both requests
+ * 4. Verifying trace IDs are different between requests
+ *
+ * @param page - Playwright page object
+ * @param routePath - The route path to test (e.g., '/rendering-modes/isr-cached-page')
+ * @param expectedPageText - The text to verify is visible on the page (e.g., 'ISR Cached Page')
+ */
+export async function testChangingTracingMetaTagsOnISRPage(
+ page: Page,
+ routePath: string,
+ expectedPageText: string,
+): Promise {
+ // === 1. Request ===
+ const clientTxnEventPromise1 = waitForTransaction('nuxt-4', txnEvent => {
+ return txnEvent.transaction === routePath;
+ });
+
+ const serverTxnEventPromise1 = waitForTransaction('nuxt-4', txnEvent => {
+ return txnEvent.transaction?.includes(`GET ${routePath}`) ?? false;
+ });
+
+ const [_1, clientTxnEvent1, serverTxnEvent1] = await Promise.all([
+ page.goto(routePath),
+ clientTxnEventPromise1,
+ serverTxnEventPromise1,
+ expect(page.getByText(expectedPageText, { exact: true })).toBeVisible(),
+ ]);
+
+ const baggageMetaTagContent1 = await page.locator('meta[name="baggage"]').getAttribute('content');
+ const sentryTraceMetaTagContent1 = await page.locator('meta[name="sentry-trace"]').getAttribute('content');
+ const [htmlMetaTraceId1] = sentryTraceMetaTagContent1?.split('-') || [];
+
+ // === 2. Request ===
+
+ const clientTxnEventPromise2 = waitForTransaction('nuxt-4', txnEvent => {
+ return txnEvent.transaction === routePath;
+ });
+
+ const serverTxnEventPromise2 = waitForTransaction('nuxt-4', txnEvent => {
+ return txnEvent.transaction?.includes(`GET ${routePath}`) ?? false;
+ });
+
+ const [_2, clientTxnEvent2, serverTxnEvent2] = await Promise.all([
+ page.goto(routePath),
+ clientTxnEventPromise2,
+ serverTxnEventPromise2,
+ expect(page.getByText(expectedPageText, { exact: true })).toBeVisible(),
+ ]);
+
+ const baggageMetaTagContent2 = await page.locator('meta[name="baggage"]').getAttribute('content');
+ const sentryTraceMetaTagContent2 = await page.locator('meta[name="sentry-trace"]').getAttribute('content');
+ const [htmlMetaTraceId2] = sentryTraceMetaTagContent2?.split('-') || [];
+
+ const serverTxnEvent1TraceId = serverTxnEvent1.contexts?.trace?.trace_id;
+ const serverTxnEvent2TraceId = serverTxnEvent2.contexts?.trace?.trace_id;
+
+ await test.step('Test distributed trace from 1. request', () => {
+ expect(baggageMetaTagContent1).toContain(`sentry-trace_id=${serverTxnEvent1TraceId}`);
+
+ expect(clientTxnEvent1.contexts?.trace?.trace_id).toBe(serverTxnEvent1TraceId);
+ expect(clientTxnEvent1.contexts?.trace?.parent_span_id).toBe(serverTxnEvent1.contexts?.trace?.span_id);
+ expect(serverTxnEvent1.contexts?.trace?.trace_id).toBe(htmlMetaTraceId1);
+ });
+
+ await test.step('Test distributed trace from 2. request', () => {
+ expect(baggageMetaTagContent2).toContain(`sentry-trace_id=${serverTxnEvent2TraceId}`);
+
+ expect(clientTxnEvent2.contexts?.trace?.trace_id).toBe(serverTxnEvent2TraceId);
+ expect(clientTxnEvent2.contexts?.trace?.parent_span_id).toBe(serverTxnEvent2.contexts?.trace?.span_id);
+ expect(serverTxnEvent2.contexts?.trace?.trace_id).toBe(htmlMetaTraceId2);
+ });
+
+ await test.step('Test that trace IDs from subsequent requests are different', () => {
+ // Different trace IDs for the server transactions
+ expect(serverTxnEvent1TraceId).toBeDefined();
+ expect(serverTxnEvent1TraceId).not.toBe(serverTxnEvent2TraceId);
+ expect(serverTxnEvent1TraceId).not.toBe(htmlMetaTraceId2);
+ });
+}
+
+/**
+ * Tests that tracing meta-tags are excluded on cached pages (SWR, pre-rendered, etc.)
+ * This utility handles the common pattern of:
+ * 1. Making two requests to a cached page
+ * 2. Verifying no tracing meta-tags are present
+ * 3. Verifying only the first request creates a server transaction
+ * 4. Verifying traces are not distributed
+ *
+ * @param page - Playwright page object
+ * @param routePath - The route path to test (e.g., '/rendering-modes/swr-cached-page')
+ * @param expectedPageText - The text to verify is visible on the page (e.g., 'SWR Cached Page')
+ * @returns Object containing transaction events for additional custom assertions
+ */
+export async function testExcludeTracingMetaTagsOnCachedPage(
+ page: Page,
+ routePath: string,
+ expectedPageText: string,
+): Promise {
+ // === 1. Request ===
+ const clientTxnEventPromise1 = waitForTransaction('nuxt-4', txnEvent => {
+ return txnEvent.transaction === routePath;
+ });
+
+ // Only the 1. request creates a server transaction
+ const serverTxnEventPromise1 = waitForTransaction('nuxt-4', txnEvent => {
+ return txnEvent.transaction?.includes(`GET ${routePath}`) ?? false;
+ });
+
+ const [_1, clientTxnEvent1, serverTxnEvent1] = await Promise.all([
+ page.goto(routePath),
+ clientTxnEventPromise1,
+ serverTxnEventPromise1,
+ expect(page.getByText(expectedPageText, { exact: true })).toBeVisible(),
+ ]);
+
+ // Verify no baggage and sentry-trace meta-tags are present on first request
+ expect(await page.locator('meta[name="baggage"]').count()).toBe(0);
+ expect(await page.locator('meta[name="sentry-trace"]').count()).toBe(0);
+
+ // === 2. Request ===
+
+ await page.goto(routePath);
+
+ const clientTxnEventPromise2 = waitForTransaction('nuxt-4', txnEvent => {
+ return txnEvent.transaction === routePath;
+ });
+
+ let serverTxnEvent2 = undefined;
+ const serverTxnEventPromise2 = Promise.race([
+ waitForTransaction('nuxt-4', txnEvent => {
+ return txnEvent.transaction?.includes(`GET ${routePath}`) ?? false;
+ }),
+ new Promise((_, reject) => setTimeout(() => reject(new Error('No second server transaction expected')), 2000)),
+ ]);
+
+ try {
+ serverTxnEvent2 = await serverTxnEventPromise2;
+ throw new Error('Second server transaction should not have been sent');
+ } catch (error) {
+ expect(error.message).toBe('No second server transaction expected');
+ }
+
+ const [clientTxnEvent2] = await Promise.all([
+ clientTxnEventPromise2,
+ expect(page.getByText(expectedPageText, { exact: true })).toBeVisible(),
+ ]);
+
+ const clientTxnEvent1TraceId = clientTxnEvent1.contexts?.trace?.trace_id;
+ const clientTxnEvent2TraceId = clientTxnEvent2.contexts?.trace?.trace_id;
+
+ const serverTxnEvent1TraceId = serverTxnEvent1.contexts?.trace?.trace_id;
+ const serverTxnEvent2TraceId = serverTxnEvent2?.contexts?.trace?.trace_id;
+
+ await test.step('No baggage and sentry-trace meta-tags are present on second request', async () => {
+ expect(await page.locator('meta[name="baggage"]').count()).toBe(0);
+ expect(await page.locator('meta[name="sentry-trace"]').count()).toBe(0);
+ });
+
+ await test.step('1. Server Transaction and all Client Transactions are defined', () => {
+ expect(serverTxnEvent1TraceId).toBeDefined();
+ expect(clientTxnEvent1TraceId).toBeDefined();
+ expect(clientTxnEvent2TraceId).toBeDefined();
+ expect(serverTxnEvent2).toBeUndefined();
+ expect(serverTxnEvent2TraceId).toBeUndefined();
+ });
+
+ await test.step('Trace is not distributed', () => {
+ // Cannot create distributed trace as HTML Meta Tags are not added (caching leads to multiple usages of the same server trace id)
+ expect(clientTxnEvent1TraceId).not.toBe(clientTxnEvent2TraceId);
+ expect(clientTxnEvent1TraceId).not.toBe(serverTxnEvent1TraceId);
+ });
+}
diff --git a/dev-packages/e2e-tests/test-applications/solid-solidrouter/tests/errors.test.ts b/dev-packages/e2e-tests/test-applications/solid-solidrouter/tests/errors.test.ts
index b8e2a759886a..a77f107af624 100644
--- a/dev-packages/e2e-tests/test-applications/solid-solidrouter/tests/errors.test.ts
+++ b/dev-packages/e2e-tests/test-applications/solid-solidrouter/tests/errors.test.ts
@@ -17,7 +17,7 @@ test('sends an error', async ({ page }) => {
type: 'Error',
value: 'Error thrown from Solid E2E test app',
mechanism: {
- type: 'onerror',
+ type: 'auto.browser.global_handlers.onerror',
handled: false,
},
},
diff --git a/dev-packages/e2e-tests/test-applications/solid/tests/errors.test.ts b/dev-packages/e2e-tests/test-applications/solid/tests/errors.test.ts
index b8e2a759886a..a77f107af624 100644
--- a/dev-packages/e2e-tests/test-applications/solid/tests/errors.test.ts
+++ b/dev-packages/e2e-tests/test-applications/solid/tests/errors.test.ts
@@ -17,7 +17,7 @@ test('sends an error', async ({ page }) => {
type: 'Error',
value: 'Error thrown from Solid E2E test app',
mechanism: {
- type: 'onerror',
+ type: 'auto.browser.global_handlers.onerror',
handled: false,
},
},
diff --git a/dev-packages/e2e-tests/test-applications/sveltekit-2.5.0-twp/tests/errors.test.ts b/dev-packages/e2e-tests/test-applications/sveltekit-2.5.0-twp/tests/errors.test.ts
index 984af2ec23a6..ee7877e82dee 100644
--- a/dev-packages/e2e-tests/test-applications/sveltekit-2.5.0-twp/tests/errors.test.ts
+++ b/dev-packages/e2e-tests/test-applications/sveltekit-2.5.0-twp/tests/errors.test.ts
@@ -29,7 +29,7 @@ test('errors on frontend and backend are connected by the same trace', async ({
{
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
stacktrace: expect.any(Object),
type: 'Error',
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/.gitignore b/dev-packages/e2e-tests/test-applications/tsx-express/.gitignore
new file mode 100644
index 000000000000..1521c8b7652b
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/.gitignore
@@ -0,0 +1 @@
+dist
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/.npmrc b/dev-packages/e2e-tests/test-applications/tsx-express/.npmrc
new file mode 100644
index 000000000000..070f80f05092
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/.npmrc
@@ -0,0 +1,2 @@
+@sentry:registry=http://127.0.0.1:4873
+@sentry-internal:registry=http://127.0.0.1:4873
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/instrument.mjs b/dev-packages/e2e-tests/test-applications/tsx-express/instrument.mjs
new file mode 100644
index 000000000000..ddc96c7c17fc
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/instrument.mjs
@@ -0,0 +1,10 @@
+import * as Sentry from '@sentry/node';
+
+Sentry.init({
+ environment: 'qa', // dynamic sampling bias to keep transactions
+ dsn: process.env.E2E_TEST_DSN,
+ debug: !!process.env.DEBUG,
+ tunnel: `http://localhost:3031/`, // proxy server
+ tracesSampleRate: 1,
+ enableLogs: true,
+});
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/package.json b/dev-packages/e2e-tests/test-applications/tsx-express/package.json
new file mode 100644
index 000000000000..80dce608dbe5
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/package.json
@@ -0,0 +1,35 @@
+{
+ "name": "tsx-express-app",
+ "version": "1.0.0",
+ "private": true,
+ "scripts": {
+ "start": "tsx --import ./instrument.mjs ./src/app.ts",
+ "test": "playwright test",
+ "clean": "npx rimraf node_modules pnpm-lock.yaml",
+ "test:build": "pnpm install",
+ "test:assert": "pnpm test"
+ },
+ "dependencies": {
+ "@modelcontextprotocol/sdk": "^1.10.2",
+ "@sentry/core": "latest || *",
+ "@sentry/node": "latest || *",
+ "@trpc/server": "10.45.2",
+ "@trpc/client": "10.45.2",
+ "@types/express": "^4.17.21",
+ "@types/node": "^18.19.1",
+ "express": "^4.21.2",
+ "typescript": "~5.0.0",
+ "zod": "~3.24.3"
+ },
+ "devDependencies": {
+ "@playwright/test": "~1.50.0",
+ "@sentry-internal/test-utils": "link:../../../test-utils",
+ "tsx": "^4.20.3"
+ },
+ "resolutions": {
+ "@types/qs": "6.9.17"
+ },
+ "volta": {
+ "extends": "../../package.json"
+ }
+}
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/playwright.config.mjs b/dev-packages/e2e-tests/test-applications/tsx-express/playwright.config.mjs
new file mode 100644
index 000000000000..31f2b913b58b
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/playwright.config.mjs
@@ -0,0 +1,7 @@
+import { getPlaywrightConfig } from '@sentry-internal/test-utils';
+
+const config = getPlaywrightConfig({
+ startCommand: `pnpm start`,
+});
+
+export default config;
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/src/app.ts b/dev-packages/e2e-tests/test-applications/tsx-express/src/app.ts
new file mode 100644
index 000000000000..83b8d28b77a4
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/src/app.ts
@@ -0,0 +1,138 @@
+import * as Sentry from '@sentry/node';
+
+declare global {
+ namespace globalThis {
+ var transactionIds: string[];
+ }
+}
+
+import { TRPCError, initTRPC } from '@trpc/server';
+import * as trpcExpress from '@trpc/server/adapters/express';
+import express from 'express';
+import { z } from 'zod';
+import { mcpRouter } from './mcp';
+
+const app = express();
+const port = 3030;
+
+app.use(mcpRouter);
+
+app.get('/test-success', function (req, res) {
+ res.send({ version: 'v1' });
+});
+
+app.get('/test-log', function (req, res) {
+ Sentry.logger.debug('Accessed /test-log route');
+ res.send({ message: 'Log sent' });
+});
+
+app.get('/test-param/:param', function (req, res) {
+ res.send({ paramWas: req.params.param });
+});
+
+app.get('/test-transaction', function (req, res) {
+ Sentry.withActiveSpan(null, async () => {
+ Sentry.startSpan({ name: 'test-transaction', op: 'e2e-test' }, () => {
+ Sentry.startSpan({ name: 'test-span' }, () => undefined);
+ });
+
+ await Sentry.flush();
+
+ res.send({
+ transactionIds: global.transactionIds || [],
+ });
+ });
+});
+
+app.get('/test-error', async function (req, res) {
+ const exceptionId = Sentry.captureException(new Error('This is an error'));
+
+ await Sentry.flush(2000);
+
+ res.send({ exceptionId });
+});
+
+app.get('/test-exception/:id', function (req, _res) {
+ throw new Error(`This is an exception with id ${req.params.id}`);
+});
+
+app.get('/test-local-variables-uncaught', function (req, res) {
+ const randomVariableToRecord = Math.random();
+ throw new Error(`Uncaught Local Variable Error - ${JSON.stringify({ randomVariableToRecord })}`);
+});
+
+app.get('/test-local-variables-caught', function (req, res) {
+ const randomVariableToRecord = Math.random();
+
+ let exceptionId: string;
+ try {
+ throw new Error('Local Variable Error');
+ } catch (e) {
+ exceptionId = Sentry.captureException(e);
+ }
+
+ res.send({ exceptionId, randomVariableToRecord });
+});
+
+Sentry.setupExpressErrorHandler(app);
+
+// @ts-ignore
+app.use(function onError(err, req, res, next) {
+ // The error id is attached to `res.sentry` to be returned
+ // and optionally displayed to the user for support.
+ res.statusCode = 500;
+ res.end(res.sentry + '\n');
+});
+
+app.listen(port, () => {
+ console.log(`Example app listening on port ${port}`);
+});
+
+Sentry.addEventProcessor(event => {
+ global.transactionIds = global.transactionIds || [];
+
+ if (event.type === 'transaction') {
+ const eventId = event.event_id;
+
+ if (eventId) {
+ global.transactionIds.push(eventId);
+ }
+ }
+
+ return event;
+});
+
+export const t = initTRPC.context().create();
+
+const procedure = t.procedure.use(Sentry.trpcMiddleware({ attachRpcInput: true }));
+
+export const appRouter = t.router({
+ getSomething: procedure.input(z.string()).query(opts => {
+ return { id: opts.input, name: 'Bilbo' };
+ }),
+ createSomething: procedure.mutation(async () => {
+ await new Promise(resolve => setTimeout(resolve, 400));
+ return { success: true };
+ }),
+ crashSomething: procedure
+ .input(z.object({ nested: z.object({ nested: z.object({ nested: z.string() }) }) }))
+ .mutation(() => {
+ throw new Error('I crashed in a trpc handler');
+ }),
+ badRequest: procedure.mutation(() => {
+ throw new TRPCError({ code: 'BAD_REQUEST', cause: new Error('Bad Request') });
+ }),
+});
+
+export type AppRouter = typeof appRouter;
+
+const createContext = () => ({ someStaticValue: 'asdf' });
+type Context = Awaited>;
+
+app.use(
+ '/trpc',
+ trpcExpress.createExpressMiddleware({
+ router: appRouter,
+ createContext,
+ }),
+);
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/src/mcp.ts b/dev-packages/e2e-tests/test-applications/tsx-express/src/mcp.ts
new file mode 100644
index 000000000000..7565e08f7c85
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/src/mcp.ts
@@ -0,0 +1,64 @@
+import express from 'express';
+import { McpServer, ResourceTemplate } from '@modelcontextprotocol/sdk/server/mcp.js';
+import { SSEServerTransport } from '@modelcontextprotocol/sdk/server/sse.js';
+import { z } from 'zod';
+import { wrapMcpServerWithSentry } from '@sentry/core';
+
+const mcpRouter = express.Router();
+
+const server = wrapMcpServerWithSentry(
+ new McpServer({
+ name: 'Echo',
+ version: '1.0.0',
+ }),
+);
+
+server.resource('echo', new ResourceTemplate('echo://{message}', { list: undefined }), async (uri, { message }) => ({
+ contents: [
+ {
+ uri: uri.href,
+ text: `Resource echo: ${message}`,
+ },
+ ],
+}));
+
+server.tool('echo', { message: z.string() }, async ({ message }, rest) => {
+ return {
+ content: [{ type: 'text', text: `Tool echo: ${message}` }],
+ };
+});
+
+server.prompt('echo', { message: z.string() }, ({ message }, extra) => ({
+ messages: [
+ {
+ role: 'user',
+ content: {
+ type: 'text',
+ text: `Please process this message: ${message}`,
+ },
+ },
+ ],
+}));
+
+const transports: Record = {};
+
+mcpRouter.get('/sse', async (_, res) => {
+ const transport = new SSEServerTransport('/messages', res);
+ transports[transport.sessionId] = transport;
+ res.on('close', () => {
+ delete transports[transport.sessionId];
+ });
+ await server.connect(transport);
+});
+
+mcpRouter.post('/messages', async (req, res) => {
+ const sessionId = req.query.sessionId;
+ const transport = transports[sessionId as string];
+ if (transport) {
+ await transport.handlePostMessage(req, res);
+ } else {
+ res.status(400).send('No transport found for sessionId');
+ }
+});
+
+export { mcpRouter };
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/start-event-proxy.mjs b/dev-packages/e2e-tests/test-applications/tsx-express/start-event-proxy.mjs
new file mode 100644
index 000000000000..28093776d15c
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/start-event-proxy.mjs
@@ -0,0 +1,6 @@
+import { startEventProxyServer } from '@sentry-internal/test-utils';
+
+startEventProxyServer({
+ port: 3031,
+ proxyServerName: 'tsx-express',
+});
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/tests/errors.test.ts b/dev-packages/e2e-tests/test-applications/tsx-express/tests/errors.test.ts
new file mode 100644
index 000000000000..5d596b9b8226
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/tests/errors.test.ts
@@ -0,0 +1,29 @@
+import { expect, test } from '@playwright/test';
+import { waitForError } from '@sentry-internal/test-utils';
+
+test('Sends correct error event', async ({ baseURL }) => {
+ const errorEventPromise = waitForError('tsx-express', event => {
+ return !event.type && event.exception?.values?.[0]?.value === 'This is an exception with id 123';
+ });
+
+ await fetch(`${baseURL}/test-exception/123`);
+
+ const errorEvent = await errorEventPromise;
+
+ expect(errorEvent.exception?.values).toHaveLength(1);
+ expect(errorEvent.exception?.values?.[0]?.value).toBe('This is an exception with id 123');
+
+ expect(errorEvent.request).toEqual({
+ method: 'GET',
+ cookies: {},
+ headers: expect.any(Object),
+ url: 'http://localhost:3030/test-exception/123',
+ });
+
+ expect(errorEvent.transaction).toEqual('GET /test-exception/:id');
+
+ expect(errorEvent.contexts?.trace).toEqual({
+ trace_id: expect.stringMatching(/[a-f0-9]{32}/),
+ span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ });
+});
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/tests/logs.test.ts b/dev-packages/e2e-tests/test-applications/tsx-express/tests/logs.test.ts
new file mode 100644
index 000000000000..4ffe7cd153c8
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/tests/logs.test.ts
@@ -0,0 +1,16 @@
+import { expect, test } from '@playwright/test';
+import { waitForEnvelopeItem } from '@sentry-internal/test-utils';
+import type { SerializedLogContainer } from '@sentry/core';
+
+test('Sends logs', async ({ baseURL }) => {
+ const logEnvelopePromise = waitForEnvelopeItem('tsx-express', envelope => {
+ return envelope[0].type === 'log' && (envelope[1] as SerializedLogContainer).items[0]?.level === 'debug';
+ });
+
+ await fetch(`${baseURL}/test-log`);
+
+ const logEnvelope = await logEnvelopePromise;
+ const log = (logEnvelope[1] as SerializedLogContainer).items[0];
+ expect(log?.level).toBe('debug');
+ expect(log?.body).toBe('Accessed /test-log route');
+});
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/tests/mcp.test.ts b/dev-packages/e2e-tests/test-applications/tsx-express/tests/mcp.test.ts
new file mode 100644
index 000000000000..dd841ca9defb
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/tests/mcp.test.ts
@@ -0,0 +1,112 @@
+import { expect, test } from '@playwright/test';
+import { waitForTransaction } from '@sentry-internal/test-utils';
+import { Client } from '@modelcontextprotocol/sdk/client/index.js';
+import { SSEClientTransport } from '@modelcontextprotocol/sdk/client/sse.js';
+
+test('Records transactions for mcp handlers', async ({ baseURL }) => {
+ const transport = new SSEClientTransport(new URL(`${baseURL}/sse`));
+
+ const client = new Client({
+ name: 'test-client',
+ version: '1.0.0',
+ });
+
+ await client.connect(transport);
+
+ await test.step('tool handler', async () => {
+ const postTransactionPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return transactionEvent.transaction === 'POST /messages';
+ });
+ const toolTransactionPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return transactionEvent.transaction === 'tools/call echo';
+ });
+
+ const toolResult = await client.callTool({
+ name: 'echo',
+ arguments: {
+ message: 'foobar',
+ },
+ });
+
+ expect(toolResult).toMatchObject({
+ content: [
+ {
+ text: 'Tool echo: foobar',
+ type: 'text',
+ },
+ ],
+ });
+
+ const postTransaction = await postTransactionPromise;
+ expect(postTransaction).toBeDefined();
+ expect(postTransaction.contexts?.trace?.op).toEqual('http.server');
+
+ const toolTransaction = await toolTransactionPromise;
+ expect(toolTransaction).toBeDefined();
+ expect(toolTransaction.contexts?.trace?.op).toEqual('mcp.server');
+ expect(toolTransaction.contexts?.trace?.data?.['mcp.method.name']).toEqual('tools/call');
+
+ // TODO: When https://github.com/modelcontextprotocol/typescript-sdk/pull/358 is released check for trace id equality between the post transaction and the handler transaction
+ });
+
+ await test.step('resource handler', async () => {
+ const postTransactionPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return transactionEvent.transaction === 'POST /messages';
+ });
+ const resourceTransactionPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return transactionEvent.transaction === 'resources/read echo://foobar';
+ });
+
+ const resourceResult = await client.readResource({
+ uri: 'echo://foobar',
+ });
+
+ expect(resourceResult).toMatchObject({
+ contents: [{ text: 'Resource echo: foobar', uri: 'echo://foobar' }],
+ });
+
+ const postTransaction = await postTransactionPromise;
+ expect(postTransaction).toBeDefined();
+
+ const resourceTransaction = await resourceTransactionPromise;
+ expect(resourceTransaction).toBeDefined();
+
+ // TODO: When https://github.com/modelcontextprotocol/typescript-sdk/pull/358 is released check for trace id equality between the post transaction and the handler transaction
+ });
+
+ await test.step('prompt handler', async () => {
+ const postTransactionPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return transactionEvent.transaction === 'POST /messages';
+ });
+ const promptTransactionPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return transactionEvent.transaction === 'prompts/get echo';
+ });
+
+ const promptResult = await client.getPrompt({
+ name: 'echo',
+ arguments: {
+ message: 'foobar',
+ },
+ });
+
+ expect(promptResult).toMatchObject({
+ messages: [
+ {
+ content: {
+ text: 'Please process this message: foobar',
+ type: 'text',
+ },
+ role: 'user',
+ },
+ ],
+ });
+
+ const postTransaction = await postTransactionPromise;
+ expect(postTransaction).toBeDefined();
+
+ const promptTransaction = await promptTransactionPromise;
+ expect(promptTransaction).toBeDefined();
+
+ // TODO: When https://github.com/modelcontextprotocol/typescript-sdk/pull/358 is released check for trace id equality between the post transaction and the handler transaction
+ });
+});
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/tests/transactions.test.ts b/dev-packages/e2e-tests/test-applications/tsx-express/tests/transactions.test.ts
new file mode 100644
index 000000000000..2a0ca499d02c
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/tests/transactions.test.ts
@@ -0,0 +1,196 @@
+import { expect, test } from '@playwright/test';
+import { waitForTransaction } from '@sentry-internal/test-utils';
+
+test('Sends an API route transaction', async ({ baseURL }) => {
+ const pageloadTransactionEventPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return (
+ transactionEvent?.contexts?.trace?.op === 'http.server' &&
+ transactionEvent?.transaction === 'GET /test-transaction'
+ );
+ });
+
+ await fetch(`${baseURL}/test-transaction`);
+
+ const transactionEvent = await pageloadTransactionEventPromise;
+
+ expect(transactionEvent.contexts?.trace).toEqual({
+ data: {
+ 'sentry.source': 'route',
+ 'sentry.origin': 'auto.http.otel.http',
+ 'sentry.op': 'http.server',
+ 'sentry.sample_rate': 1,
+ url: 'http://localhost:3030/test-transaction',
+ 'otel.kind': 'SERVER',
+ 'http.response.status_code': 200,
+ 'http.url': 'http://localhost:3030/test-transaction',
+ 'http.host': 'localhost:3030',
+ 'net.host.name': 'localhost',
+ 'http.method': 'GET',
+ 'http.scheme': 'http',
+ 'http.target': '/test-transaction',
+ 'http.user_agent': 'node',
+ 'http.flavor': '1.1',
+ 'net.transport': 'ip_tcp',
+ 'net.host.ip': expect.any(String),
+ 'net.host.port': expect.any(Number),
+ 'net.peer.ip': expect.any(String),
+ 'net.peer.port': expect.any(Number),
+ 'http.status_code': 200,
+ 'http.status_text': 'OK',
+ 'http.route': '/test-transaction',
+ },
+ op: 'http.server',
+ span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ status: 'ok',
+ trace_id: expect.stringMatching(/[a-f0-9]{32}/),
+ origin: 'auto.http.otel.http',
+ });
+
+ expect(transactionEvent.contexts?.response).toEqual({
+ status_code: 200,
+ });
+
+ expect(transactionEvent).toEqual(
+ expect.objectContaining({
+ transaction: 'GET /test-transaction',
+ type: 'transaction',
+ transaction_info: {
+ source: 'route',
+ },
+ }),
+ );
+
+ const spans = transactionEvent.spans || [];
+
+ expect(spans).toContainEqual({
+ data: {
+ 'sentry.origin': 'auto.http.otel.express',
+ 'sentry.op': 'middleware.express',
+ 'express.name': 'query',
+ 'express.type': 'middleware',
+ },
+ description: 'query',
+ op: 'middleware.express',
+ origin: 'auto.http.otel.express',
+ parent_span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ start_timestamp: expect.any(Number),
+ status: 'ok',
+ timestamp: expect.any(Number),
+ trace_id: expect.stringMatching(/[a-f0-9]{32}/),
+ });
+
+ expect(spans).toContainEqual({
+ data: {
+ 'sentry.origin': 'auto.http.otel.express',
+ 'sentry.op': 'middleware.express',
+ 'express.name': 'expressInit',
+ 'express.type': 'middleware',
+ },
+ description: 'expressInit',
+ op: 'middleware.express',
+ origin: 'auto.http.otel.express',
+ parent_span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ start_timestamp: expect.any(Number),
+ status: 'ok',
+ timestamp: expect.any(Number),
+ trace_id: expect.stringMatching(/[a-f0-9]{32}/),
+ });
+
+ expect(spans).toContainEqual({
+ data: {
+ 'sentry.origin': 'auto.http.otel.express',
+ 'sentry.op': 'request_handler.express',
+ 'http.route': '/test-transaction',
+ 'express.name': '/test-transaction',
+ 'express.type': 'request_handler',
+ },
+ description: '/test-transaction',
+ op: 'request_handler.express',
+ origin: 'auto.http.otel.express',
+ parent_span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ start_timestamp: expect.any(Number),
+ status: 'ok',
+ timestamp: expect.any(Number),
+ trace_id: expect.stringMatching(/[a-f0-9]{32}/),
+ });
+});
+
+test('Sends an API route transaction for an errored route', async ({ baseURL }) => {
+ const transactionEventPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return (
+ transactionEvent.contexts?.trace?.op === 'http.server' &&
+ transactionEvent.transaction === 'GET /test-exception/:id' &&
+ transactionEvent.request?.url === 'http://localhost:3030/test-exception/777'
+ );
+ });
+
+ await fetch(`${baseURL}/test-exception/777`);
+
+ const transactionEvent = await transactionEventPromise;
+
+ expect(transactionEvent.contexts?.trace?.op).toEqual('http.server');
+ expect(transactionEvent.transaction).toEqual('GET /test-exception/:id');
+ expect(transactionEvent.contexts?.trace?.status).toEqual('internal_error');
+ expect(transactionEvent.contexts?.trace?.data?.['http.status_code']).toEqual(500);
+
+ const spans = transactionEvent.spans || [];
+
+ expect(spans).toContainEqual({
+ data: {
+ 'sentry.origin': 'auto.http.otel.express',
+ 'sentry.op': 'middleware.express',
+ 'express.name': 'query',
+ 'express.type': 'middleware',
+ },
+ description: 'query',
+ op: 'middleware.express',
+ origin: 'auto.http.otel.express',
+ parent_span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ start_timestamp: expect.any(Number),
+ status: 'ok',
+ timestamp: expect.any(Number),
+ trace_id: expect.stringMatching(/[a-f0-9]{32}/),
+ });
+
+ expect(spans).toContainEqual({
+ data: {
+ 'sentry.origin': 'auto.http.otel.express',
+ 'sentry.op': 'middleware.express',
+ 'express.name': 'expressInit',
+ 'express.type': 'middleware',
+ },
+ description: 'expressInit',
+ op: 'middleware.express',
+ origin: 'auto.http.otel.express',
+ parent_span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ start_timestamp: expect.any(Number),
+ status: 'ok',
+ timestamp: expect.any(Number),
+ trace_id: expect.stringMatching(/[a-f0-9]{32}/),
+ });
+
+ expect(spans).toContainEqual({
+ data: {
+ 'sentry.origin': 'auto.http.otel.express',
+ 'sentry.op': 'request_handler.express',
+ 'http.route': '/test-exception/:id',
+ 'express.name': '/test-exception/:id',
+ 'express.type': 'request_handler',
+ },
+ description: '/test-exception/:id',
+ op: 'request_handler.express',
+ origin: 'auto.http.otel.express',
+ parent_span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ span_id: expect.stringMatching(/[a-f0-9]{16}/),
+ start_timestamp: expect.any(Number),
+ status: 'unknown_error',
+ measurements: {},
+ timestamp: expect.any(Number),
+ trace_id: expect.stringMatching(/[a-f0-9]{32}/),
+ });
+});
diff --git a/dev-packages/e2e-tests/test-applications/tsx-express/tests/trpc.test.ts b/dev-packages/e2e-tests/test-applications/tsx-express/tests/trpc.test.ts
new file mode 100644
index 000000000000..6429b1255b85
--- /dev/null
+++ b/dev-packages/e2e-tests/test-applications/tsx-express/tests/trpc.test.ts
@@ -0,0 +1,132 @@
+import { expect, test } from '@playwright/test';
+import { waitForError, waitForTransaction } from '@sentry-internal/test-utils';
+import { createTRPCProxyClient, httpBatchLink } from '@trpc/client';
+import type { AppRouter } from '../src/app';
+
+test('Records span for trpc query', async ({ baseURL }) => {
+ const transactionEventPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return (
+ transactionEvent.transaction === 'GET /trpc' &&
+ !!transactionEvent.spans?.find(span => span.description === 'trpc/getSomething')
+ );
+ });
+
+ const trpcClient = createTRPCProxyClient({
+ links: [
+ httpBatchLink({
+ url: `${baseURL}/trpc`,
+ }),
+ ],
+ });
+
+ await trpcClient.getSomething.query('foobar');
+
+ await expect(transactionEventPromise).resolves.toBeDefined();
+ const transaction = await transactionEventPromise;
+
+ expect(transaction.spans).toContainEqual(
+ expect.objectContaining({
+ data: expect.objectContaining({
+ 'sentry.op': 'rpc.server',
+ 'sentry.origin': 'auto.rpc.trpc',
+ }),
+ description: `trpc/getSomething`,
+ }),
+ );
+});
+
+test('Records transaction for trpc mutation', async ({ baseURL }) => {
+ const transactionEventPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return (
+ transactionEvent.transaction === 'POST /trpc' &&
+ !!transactionEvent.spans?.find(span => span.description === 'trpc/createSomething')
+ );
+ });
+
+ const trpcClient = createTRPCProxyClient({
+ links: [
+ httpBatchLink({
+ url: `${baseURL}/trpc`,
+ }),
+ ],
+ });
+
+ await trpcClient.createSomething.mutate();
+
+ await expect(transactionEventPromise).resolves.toBeDefined();
+ const transaction = await transactionEventPromise;
+
+ expect(transaction.spans).toContainEqual(
+ expect.objectContaining({
+ data: expect.objectContaining({
+ 'sentry.op': 'rpc.server',
+ 'sentry.origin': 'auto.rpc.trpc',
+ }),
+ description: `trpc/createSomething`,
+ }),
+ );
+});
+
+test('Records transaction and error for a crashing trpc handler', async ({ baseURL }) => {
+ const transactionEventPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return (
+ transactionEvent.transaction === 'POST /trpc' &&
+ !!transactionEvent.spans?.find(span => span.description === 'trpc/crashSomething')
+ );
+ });
+
+ const errorEventPromise = waitForError('tsx-express', errorEvent => {
+ return !!errorEvent?.exception?.values?.some(exception => exception.value?.includes('I crashed in a trpc handler'));
+ });
+
+ const trpcClient = createTRPCProxyClient({
+ links: [
+ httpBatchLink({
+ url: `${baseURL}/trpc`,
+ }),
+ ],
+ });
+
+ await expect(trpcClient.crashSomething.mutate({ nested: { nested: { nested: 'foobar' } } })).rejects.toBeDefined();
+
+ await expect(transactionEventPromise).resolves.toBeDefined();
+ await expect(errorEventPromise).resolves.toBeDefined();
+
+ expect((await errorEventPromise).contexts?.trpc?.['procedure_type']).toBe('mutation');
+ expect((await errorEventPromise).contexts?.trpc?.['procedure_path']).toBe('crashSomething');
+
+ // Should record nested context
+ expect((await errorEventPromise).contexts?.trpc?.['input']).toEqual({
+ nested: {
+ nested: {
+ nested: 'foobar',
+ },
+ },
+ });
+});
+
+test('Records transaction and error for a trpc handler that returns a status code', async ({ baseURL }) => {
+ const transactionEventPromise = waitForTransaction('tsx-express', transactionEvent => {
+ return (
+ transactionEvent.transaction === 'POST /trpc' &&
+ !!transactionEvent.spans?.find(span => span.description === 'trpc/badRequest')
+ );
+ });
+
+ const errorEventPromise = waitForError('tsx-express', errorEvent => {
+ return !!errorEvent?.exception?.values?.some(exception => exception.value?.includes('Bad Request'));
+ });
+
+ const trpcClient = createTRPCProxyClient({
+ links: [
+ httpBatchLink({
+ url: `${baseURL}/trpc`,
+ }),
+ ],
+ });
+
+ await expect(trpcClient.badRequest.mutate()).rejects.toBeDefined();
+
+ await expect(transactionEventPromise).resolves.toBeDefined();
+ await expect(errorEventPromise).resolves.toBeDefined();
+});
diff --git a/dev-packages/e2e-tests/test-applications/webpack-4/build.mjs b/dev-packages/e2e-tests/test-applications/webpack-4/build.mjs
index 0818243ad9ee..32d475aac75c 100644
--- a/dev-packages/e2e-tests/test-applications/webpack-4/build.mjs
+++ b/dev-packages/e2e-tests/test-applications/webpack-4/build.mjs
@@ -17,6 +17,11 @@ webpack(
minimize: true,
minimizer: [new TerserPlugin()],
},
+ performance: {
+ hints: false,
+ maxEntrypointSize: 512000,
+ maxAssetSize: 512000
+ },
plugins: [new HtmlWebpackPlugin(), new webpack.EnvironmentPlugin(['E2E_TEST_DSN'])],
mode: 'production',
// webpack 4 does not support ES2020 features out of the box, so we need to transpile them
diff --git a/dev-packages/node-integration-tests/suites/tracing/vercelai/test.ts b/dev-packages/node-integration-tests/suites/tracing/vercelai/test.ts
index 5353f53f42e3..94fd0dde8486 100644
--- a/dev-packages/node-integration-tests/suites/tracing/vercelai/test.ts
+++ b/dev-packages/node-integration-tests/suites/tracing/vercelai/test.ts
@@ -432,6 +432,9 @@ describe('Vercel AI integration', () => {
'vercel.ai.settings.maxSteps': 1,
'vercel.ai.streaming': false,
'gen_ai.response.model': 'mock-model-id',
+ 'gen_ai.usage.input_tokens': 15,
+ 'gen_ai.usage.output_tokens': 25,
+ 'gen_ai.usage.total_tokens': 40,
'operation.name': 'ai.generateText',
'sentry.op': 'gen_ai.invoke_agent',
'sentry.origin': 'auto.vercelai.otel',
@@ -550,6 +553,9 @@ describe('Vercel AI integration', () => {
'vercel.ai.settings.maxSteps': 1,
'vercel.ai.streaming': false,
'gen_ai.response.model': 'mock-model-id',
+ 'gen_ai.usage.input_tokens': 15,
+ 'gen_ai.usage.output_tokens': 25,
+ 'gen_ai.usage.total_tokens': 40,
'operation.name': 'ai.generateText',
'sentry.op': 'gen_ai.invoke_agent',
'sentry.origin': 'auto.vercelai.otel',
diff --git a/docs/changelog/v7.md b/docs/changelog/v7.md
index 8cc8c4db8b17..85f760fb0a31 100644
--- a/docs/changelog/v7.md
+++ b/docs/changelog/v7.md
@@ -1,7 +1,19 @@
# Changelog for Sentry SDK 7.x
-Support for Sentry SDK v7 will be dropped soon. We recommend migrating to the latest version of the SDK. You can migrate
-from `v7` of the SDK to `v8` by following the [migration guide](../../MIGRATION.md#upgrading-from-7x-to-8x).
+Sentry SDK v7 is no longer supported. We recommend migrating to the latest version of the SDK. You can migrate
+from `v7` of the SDK to `v8` by following the [migration guide](../migration/v7-to-v8.md).
+
+## 7.120.4
+
+- fix(v7/cdn): Stop using `Object.assign` to be ES5 compatible (#17080)
+
+## 7.120.4-alpha.1
+
+No user-facing changes, only internal changes.
+
+## 7.120.4-alpha.0
+
+- fix(v7/cdn): Stop using `Object.assign` to be ES5 compatible (#17080)
## 7.120.3
diff --git a/docs/changelog/v8.md b/docs/changelog/v8.md
new file mode 100644
index 000000000000..5d32784d1fd8
--- /dev/null
+++ b/docs/changelog/v8.md
@@ -0,0 +1,3100 @@
+# Changelog for Sentry SDK 8.x
+
+Support for Sentry SDK v8 will be dropped soon. We recommend migrating to the latest version of the SDK. You can migrate
+from `v8` of the SDK to `v9` by following the [migration guide](../migration/v8-to-v9.md).
+
+## 8.55.0
+
+### Important Changes
+
+- **chore(ci/v8): Switch lambda layer name to `SentryNodeServerlessSDKv8` ([#15351](https://github.com/getsentry/sentry-javascript/pull/15351))**
+
+The `SentryNodeServerlessSDK` AWS Lambda Layer will stop receiving updates.
+If you intend to stay on `v8` and receive updates use `SentryNodeServerlessSDKv8` instead.
+
+### Other Changes
+
+- feat(flags/v8): add Statsig browser integration ([#15347](https://github.com/getsentry/sentry-javascript/pull/15347))
+- feat(v8/node): Add missing `vercelAIIntegration` export ([#15339](https://github.com/getsentry/sentry-javascript/pull/15339))
+- feat(v8/nuxt): Add `enabled` to disable Sentry module ([#15337](https://github.com/getsentry/sentry-javascript/pull/15337)) (#15381)
+- feat(v8/vue): Support Pinia v3 ([#15384](https://github.com/getsentry/sentry-javascript/pull/15384))
+- fix(astro): Add vue to `registerEsmLoaderHooks` ([#15352](https://github.com/getsentry/sentry-javascript/pull/15352))
+- fix(react/v8): Support lazy-loaded routes and components ([#15281](https://github.com/getsentry/sentry-javascript/pull/15281))
+- fix(v8/nuxt): Detect Azure Function runtime for flushing with timeout ([#15297](https://github.com/getsentry/sentry-javascript/pull/15297))
+- fix(v8/solidstart): Do not copy release-injection map file ([#15304](https://github.com/getsentry/sentry-javascript/pull/15304))
+- fix(v8/svelte): Guard component tracking `beforeUpdate` call ([#15262](https://github.com/getsentry/sentry-javascript/pull/15262))
+
+Work in this release was contributed by @aryanvdesh. Thank you for your contribution!
+
+## 8.54.0
+
+- feat(v8/deps): Upgrade all OpenTelemetry dependencies ([#15098](https://github.com/getsentry/sentry-javascript/pull/15098))
+- fix(node/v8): Add compatibility layer for Prisma v5 ([#15210](https://github.com/getsentry/sentry-javascript/pull/15210))
+
+Work in this release was contributed by @nwalters512. Thank you for your contribution!
+
+## 8.53.0
+
+- feat(v8/nuxt): Add `url` to `SourcemapsUploadOptions` (#15202)
+- fix(v8/react): `fromLocation` can be undefined in Tanstack Router Instrumentation (#15237)
+
+Work in this release was contributed by @tannerlinsley. Thank you for your contribution!
+
+## 8.52.1
+
+- fix(v8/nextjs): Fix nextjs build warning (#15226)
+- ref(v8/browser): Add protocol attributes to resource spans #15224
+- ref(v8/core): Don't set `this.name` to `new.target.prototype.constructor.name` (#15222)
+
+Work in this release was contributed by @Zen-cronic. Thank you for your contribution!
+
+## 8.52.0
+
+### Important Changes
+
+- **feat(solidstart): Add `withSentry` wrapper for SolidStart config ([#15135](https://github.com/getsentry/sentry-javascript/pull/15135))**
+
+To enable the SolidStart SDK, wrap your SolidStart Config with `withSentry`. The `sentrySolidStartVite` plugin is now automatically
+added by `withSentry` and you can pass the Sentry build-time options like this:
+
+```js
+import { defineConfig } from '@solidjs/start/config';
+import { withSentry } from '@sentry/solidstart';
+
+export default defineConfig(
+ withSentry(
+ {
+ /* Your SolidStart config options... */
+ },
+ {
+ // Options for setting up source maps
+ org: process.env.SENTRY_ORG,
+ project: process.env.SENTRY_PROJECT,
+ authToken: process.env.SENTRY_AUTH_TOKEN,
+ },
+ ),
+);
+```
+
+With the `withSentry` wrapper, the Sentry server config should not be added to the `public` directory anymore.
+Add the Sentry server config in `src/instrument.server.ts`. Then, the server config will be placed inside the server build output as `instrument.server.mjs`.
+
+Now, there are two options to set up the SDK:
+
+1. **(recommended)** Provide an `--import` CLI flag to the start command like this (path depends on your server setup):
+ `node --import ./.output/server/instrument.server.mjs .output/server/index.mjs`
+2. Add `autoInjectServerSentry: 'top-level-import'` and the Sentry config will be imported at the top of the server entry (comes with tracing limitations)
+ ```js
+ withSentry(
+ {
+ /* Your SolidStart config options... */
+ },
+ {
+ // Optional: Install Sentry with a top-level import
+ autoInjectServerSentry: 'top-level-import',
+ },
+ );
+ ```
+
+### Other Changes
+
+- feat(v8/core): Add client outcomes for breadcrumbs buffer ([#15149](https://github.com/getsentry/sentry-javascript/pull/15149))
+- feat(v8/core): Improve error formatting in ZodErrors integration ([#15155](https://github.com/getsentry/sentry-javascript/pull/15155))
+- fix(v8/bun): Ensure instrumentation of `Bun.serve` survives a server reload ([#15157](https://github.com/getsentry/sentry-javascript/pull/15157))
+- fix(v8/core): Pass `module` into `loadModule` ([#15139](https://github.com/getsentry/sentry-javascript/pull/15139)) (#15166)
+
+Work in this release was contributed by @jahands, @jrandolf, and @nathankleyn. Thank you for your contributions!
+
+## 8.51.0
+
+### Important Changes
+
+- **feat(v8/node): Add `prismaInstrumentation` option to Prisma integration as escape hatch for all Prisma versions ([#15128](https://github.com/getsentry/sentry-javascript/pull/15128))**
+
+ This release adds a compatibility API to add support for Prisma version 6.
+ To capture performance data for Prisma version 6:
+
+ 1. Install the `@prisma/instrumentation` package on version 6.
+ 1. Pass a `new PrismaInstrumentation()` instance as exported from `@prisma/instrumentation` to the `prismaInstrumentation` option:
+
+ ```js
+ import { PrismaInstrumentation } from '@prisma/instrumentation';
+
+ Sentry.init({
+ integrations: [
+ prismaIntegration({
+ // Override the default instrumentation that Sentry uses
+ prismaInstrumentation: new PrismaInstrumentation(),
+ }),
+ ],
+ });
+ ```
+
+ The passed instrumentation instance will override the default instrumentation instance the integration would use, while the `prismaIntegration` will still ensure data compatibility for the various Prisma versions.
+
+ 1. Remove the `previewFeatures = ["tracing"]` option from the client generator block of your Prisma schema.
+
+### Other Changes
+
+- feat(v8/browser): Add `multiplexedtransport.js` CDN bundle ([#15046](https://github.com/getsentry/sentry-javascript/pull/15046))
+- feat(v8/browser): Add Unleash integration ([#14948](https://github.com/getsentry/sentry-javascript/pull/14948))
+- feat(v8/deno): Deprecate Deno SDK as published on deno.land ([#15121](https://github.com/getsentry/sentry-javascript/pull/15121))
+- feat(v8/sveltekit): Deprecate `fetchProxyScriptNonce` option ([#15011](https://github.com/getsentry/sentry-javascript/pull/15011))
+- fix(v8/aws-lambda): Avoid overwriting root span name ([#15054](https://github.com/getsentry/sentry-javascript/pull/15054))
+- fix(v8/core): `fatal` events should set session as crashed ([#15073](https://github.com/getsentry/sentry-javascript/pull/15073))
+- fix(v8/node/nestjs): Use method on current fastify request ([#15104](https://github.com/getsentry/sentry-javascript/pull/15104))
+
+Work in this release was contributed by @tjhiggins, and @nwalters512. Thank you for your contributions!
+
+## 8.50.0
+
+- feat(v8/react): Add support for React Router `createMemoryRouter` ([#14985](https://github.com/getsentry/sentry-javascript/pull/14985))
+
+## 8.49.0
+
+- feat(v8/browser): Flush offline queue on flush and browser online event ([#14969](https://github.com/getsentry/sentry-javascript/pull/14969))
+- feat(v8/react): Add a `handled` prop to ErrorBoundary ([#14978](https://github.com/getsentry/sentry-javascript/pull/14978))
+- fix(profiling/v8): Don't put `require`, `__filename` and `__dirname` on global object ([#14952](https://github.com/getsentry/sentry-javascript/pull/14952))
+- fix(v8/node): Enforce that ContextLines integration does not leave open file handles ([#14997](https://github.com/getsentry/sentry-javascript/pull/14997))
+- fix(v8/replay): Disable mousemove sampling in rrweb for iOS browsers ([#14944](https://github.com/getsentry/sentry-javascript/pull/14944))
+- fix(v8/sveltekit): Ensure source maps deletion is called after source ma… ([#14963](https://github.com/getsentry/sentry-javascript/pull/14963))
+- fix(v8/vue): Re-throw error when no errorHandler exists ([#14943](https://github.com/getsentry/sentry-javascript/pull/14943))
+
+Work in this release was contributed by @HHK1 and @mstrokin. Thank you for your contributions!
+
+## 8.48.0
+
+### Deprecations
+
+- **feat(v8/core): Deprecate `getDomElement` method ([#14799](https://github.com/getsentry/sentry-javascript/pull/14799))**
+
+ Deprecates `getDomElement`. There is no replacement.
+
+### Other changes
+
+- fix(nestjs/v8): Use correct main/module path in package.json ([#14791](https://github.com/getsentry/sentry-javascript/pull/14791))
+- fix(v8/core): Use consistent `continueTrace` implementation in core ([#14819](https://github.com/getsentry/sentry-javascript/pull/14819))
+- fix(v8/node): Correctly resolve debug IDs for ANR events with custom appRoot ([#14823](https://github.com/getsentry/sentry-javascript/pull/14823))
+- fix(v8/node): Ensure `NODE_OPTIONS` is not passed to worker threads ([#14825](https://github.com/getsentry/sentry-javascript/pull/14825))
+- fix(v8/angular): Fall back to element `tagName` when name is not provided to `TraceDirective` ([#14828](https://github.com/getsentry/sentry-javascript/pull/14828))
+- fix(aws-lambda): Remove version suffix from lambda layer ([#14843](https://github.com/getsentry/sentry-javascript/pull/14843))
+- fix(v8/node): Ensure express requests are properly handled ([#14851](https://github.com/getsentry/sentry-javascript/pull/14851))
+- feat(v8/node): Add `openTelemetrySpanProcessors` option ([#14853](https://github.com/getsentry/sentry-javascript/pull/14853))
+- fix(v8/react): Use `Set` as the `allRoutes` container. ([#14878](https://github.com/getsentry/sentry-javascript/pull/14878)) (#14884)
+- fix(v8/react): Improve handling of routes nested under path="/" ([#14897](https://github.com/getsentry/sentry-javascript/pull/14897))
+- feat(v8/core): Add `normalizedRequest` to `samplingContext` ([#14903](https://github.com/getsentry/sentry-javascript/pull/14903))
+- fix(v8/feedback): Avoid lazy loading code for `syncFeedbackIntegration` ([#14918](https://github.com/getsentry/sentry-javascript/pull/14918))
+
+Work in this release was contributed by @arturovt. Thank you for your contribution!
+
+## 8.47.0
+
+- feat(v8/core): Add `updateSpanName` helper function (#14736)
+- feat(v8/node): Do not overwrite prisma `db.system` in newer Prisma versions (#14772)
+- feat(v8/node/deps): Bump @prisma/instrumentation from 5.19.1 to 5.22.0 (#14755)
+- feat(v8/replay): Mask srcdoc iframe contents per default (#14779)
+- ref(v8/nextjs): Fix typo in source maps deletion warning (#14776)
+
+Work in this release was contributed by @aloisklink and @benjick. Thank you for your contributions!
+
+## 8.46.0
+
+- feat: Allow capture of more than 1 ANR event [v8] ([#14713](https://github.com/getsentry/sentry-javascript/pull/14713))
+- feat(node): Detect Railway release name [v8] ([#14714](https://github.com/getsentry/sentry-javascript/pull/14714))
+- fix: Normalise ANR debug image file paths if appRoot was supplied [v8] ([#14709](https://github.com/getsentry/sentry-javascript/pull/14709))
+- fix(nuxt): Remove build config from tsconfig ([#14737](https://github.com/getsentry/sentry-javascript/pull/14737))
+
+Work in this release was contributed by @conor-ob. Thank you for your contribution!
+
+## 8.45.1
+
+- fix(feedback): Return when the `sendFeedback` promise resolves ([#14683](https://github.com/getsentry/sentry-javascript/pull/14683))
+
+Work in this release was contributed by @antonis. Thank you for your contribution!
+
+## 8.45.0
+
+- feat(core): Add `handled` option to `captureConsoleIntegration` ([#14664](https://github.com/getsentry/sentry-javascript/pull/14664))
+- feat(browser): Attach virtual stack traces to `HttpClient` events ([#14515](https://github.com/getsentry/sentry-javascript/pull/14515))
+- feat(replay): Upgrade rrweb packages to 2.31.0 ([#14689](https://github.com/getsentry/sentry-javascript/pull/14689))
+- fix(aws-serverless): Remove v8 layer as it overwrites the current layer for docs ([#14679](https://github.com/getsentry/sentry-javascript/pull/14679))
+- fix(browser): Mark stack trace from `captureMessage` with `attachStacktrace: true` as synthetic ([#14668](https://github.com/getsentry/sentry-javascript/pull/14668))
+- fix(core): Mark stack trace from `captureMessage` with `attatchStackTrace: true` as synthetic ([#14670](https://github.com/getsentry/sentry-javascript/pull/14670))
+- fix(core): Set `level` in server runtime `captureException` ([#10587](https://github.com/getsentry/sentry-javascript/pull/10587))
+- fix(profiling-node): Guard invocation of native profiling methods ([#14676](https://github.com/getsentry/sentry-javascript/pull/14676))
+- fix(nuxt): Inline nitro-utils function ([#14680](https://github.com/getsentry/sentry-javascript/pull/14680))
+- fix(profiling-node): Ensure profileId is added to transaction event ([#14681](https://github.com/getsentry/sentry-javascript/pull/14681))
+- fix(react): Add React Router Descendant Routes support ([#14304](https://github.com/getsentry/sentry-javascript/pull/14304))
+- fix: Disable ANR and Local Variables if debugger is enabled via CLI args ([#14643](https://github.com/getsentry/sentry-javascript/pull/14643))
+
+Work in this release was contributed by @anonrig and @Zih0. Thank you for your contributions!
+
+## 8.44.0
+
+### Deprecations
+
+- **feat: Deprecate `autoSessionTracking` ([#14640](https://github.com/getsentry/sentry-javascript/pull/14640))**
+
+ Deprecates `autoSessionTracking`.
+ To enable session tracking, it is recommended to unset `autoSessionTracking` and ensure that either, in browser environments
+ the `browserSessionIntegration` is added, or in server environments the `httpIntegration` is added.
+
+ To disable session tracking, it is recommended to unset `autoSessionTracking` and to remove the `browserSessionIntegration` in
+ browser environments, or in server environments configure the `httpIntegration` with the `trackIncomingRequestsAsSessions` option set to `false`.
+
+### Other Changes
+
+- feat: Reword log message around unsent spans ([#14641](https://github.com/getsentry/sentry-javascript/pull/14641))
+- feat(opentelemetry): Set `response` context for http.server spans ([#14634](https://github.com/getsentry/sentry-javascript/pull/14634))
+- fix(google-cloud-serverless): Update homepage link in package.json ([#14411](https://github.com/getsentry/sentry-javascript/pull/14411))
+- fix(nuxt): Add unbuild config to not fail on warn ([#14662](https://github.com/getsentry/sentry-javascript/pull/14662))
+
+Work in this release was contributed by @robinvw1. Thank you for your contribution!
+
+## 8.43.0
+
+### Important Changes
+
+- **feat(nuxt): Add option autoInjectServerSentry (no default import()) ([#14553](https://github.com/getsentry/sentry-javascript/pull/14553))**
+
+ Using the dynamic `import()` as the default behavior for initializing the SDK on the server-side did not work for every project.
+ The default behavior of the SDK has been changed, and you now need to **use the `--import` flag to initialize Sentry on the server-side** to leverage full functionality.
+
+ Example with `--import`:
+
+ ```bash
+ node --import ./.output/server/sentry.server.config.mjs .output/server/index.mjs
+ ```
+
+ In case you are not able to use the `--import` flag, you can enable auto-injecting Sentry in the `nuxt.config.ts` (comes with limitations):
+
+ ```ts
+ sentry: {
+ autoInjectServerSentry: 'top-level-import', // or 'experimental_dynamic-import'
+ },
+ ```
+
+- **feat(browser): Adds LaunchDarkly and OpenFeature integrations ([#14207](https://github.com/getsentry/sentry-javascript/pull/14207))**
+
+ Adds browser SDK integrations for tracking feature flag evaluations through the LaunchDarkly JS SDK and OpenFeature Web SDK:
+
+ ```ts
+ import * as Sentry from '@sentry/browser';
+
+ Sentry.init({
+ integrations: [
+ // Track LaunchDarkly feature flags
+ Sentry.launchDarklyIntegration(),
+ // Track OpenFeature feature flags
+ Sentry.openFeatureIntegration(),
+ ],
+ });
+ ```
+
+ - Read more about the [Feature Flags](https://develop.sentry.dev/sdk/expected-features/#feature-flags) feature in Sentry.
+ - Read more about the [LaunchDarkly SDK Integration](https://docs.sentry.io/platforms/javascript/configuration/integrations/launchdarkly/).
+ - Read more about the [OpenFeature SDK Integration](https://docs.sentry.io/platforms/javascript/configuration/integrations/openfeature/).
+
+- **feat(browser): Add `featureFlagsIntegration` for custom tracking of flag evaluations ([#14582](https://github.com/getsentry/sentry-javascript/pull/14582))**
+
+ Adds a browser integration to manually track feature flags with an API. Feature flags are attached to subsequent error events:
+
+ ```ts
+ import * as Sentry from '@sentry/browser';
+
+ const featureFlagsIntegrationInstance = Sentry.featureFlagsIntegration();
+
+ Sentry.init({
+ // Initialize the SDK with the feature flag integration
+ integrations: [featureFlagsIntegrationInstance],
+ });
+
+ // Manually track a feature flag
+ featureFlagsIntegrationInstance.addFeatureFlag('my-feature', true);
+ ```
+
+- **feat(astro): Add Astro 5 support ([#14613](https://github.com/getsentry/sentry-javascript/pull/14613))**
+
+ With this release, the Sentry Astro SDK officially supports Astro 5.
+
+### Deprecations
+
+- feat(nextjs): Deprecate typedef for `hideSourceMaps` ([#14594](https://github.com/getsentry/sentry-javascript/pull/14594))
+
+ The functionality of `hideSourceMaps` was removed in version 8 but was forgotten to be deprecated and removed.
+ It will be completely removed in the next major version.
+
+- feat(core): Deprecate APIs around `RequestSession`s ([#14566](https://github.com/getsentry/sentry-javascript/pull/14566))
+
+ The APIs around `RequestSession`s are mostly used internally.
+ Going forward the SDK will not expose concepts around `RequestSession`s.
+ Instead, functionality around server-side [Release Health](https://docs.sentry.io/product/releases/health/) will be managed in integrations.
+
+### Other Changes
+
+- feat(browser): Add `browserSessionIntegration` ([#14551](https://github.com/getsentry/sentry-javascript/pull/14551))
+- feat(core): Add `raw_security` envelope types ([#14562](https://github.com/getsentry/sentry-javascript/pull/14562))
+- feat(deps): Bump @opentelemetry/instrumentation from 0.55.0 to 0.56.0 ([#14625](https://github.com/getsentry/sentry-javascript/pull/14625))
+- feat(deps): Bump @sentry/cli from 2.38.2 to 2.39.1 ([#14626](https://github.com/getsentry/sentry-javascript/pull/14626))
+- feat(deps): Bump @sentry/rollup-plugin from 2.22.6 to 2.22.7 ([#14622](https://github.com/getsentry/sentry-javascript/pull/14622))
+- feat(deps): Bump @sentry/webpack-plugin from 2.22.6 to 2.22.7 ([#14623](https://github.com/getsentry/sentry-javascript/pull/14623))
+- feat(nestjs): Add fastify support ([#14549](https://github.com/getsentry/sentry-javascript/pull/14549))
+- feat(node): Add @vercel/ai instrumentation ([#13892](https://github.com/getsentry/sentry-javascript/pull/13892))
+- feat(node): Add `disableAnrDetectionForCallback` function ([#14359](https://github.com/getsentry/sentry-javascript/pull/14359))
+- feat(node): Add `trackIncomingRequestsAsSessions` option to http integration ([#14567](https://github.com/getsentry/sentry-javascript/pull/14567))
+- feat(nuxt): Add option `autoInjectServerSentry` (no default `import()`) ([#14553](https://github.com/getsentry/sentry-javascript/pull/14553))
+- feat(nuxt): Add warning when Netlify or Vercel build is discovered ([#13868](https://github.com/getsentry/sentry-javascript/pull/13868))
+- feat(nuxt): Improve serverless event flushing and scope isolation ([#14605](https://github.com/getsentry/sentry-javascript/pull/14605))
+- feat(opentelemetry): Stop looking at propagation context for span creation ([#14481](https://github.com/getsentry/sentry-javascript/pull/14481))
+- feat(opentelemetry): Update OpenTelemetry dependencies to `^1.29.0` ([#14590](https://github.com/getsentry/sentry-javascript/pull/14590))
+- feat(opentelemetry): Update OpenTelemetry dependencies to `1.28.0` ([#14547](https://github.com/getsentry/sentry-javascript/pull/14547))
+- feat(replay): Upgrade rrweb packages to 2.30.0 ([#14597](https://github.com/getsentry/sentry-javascript/pull/14597))
+- fix(core): Decode `filename` and `module` stack frame properties in Node stack parser ([#14544](https://github.com/getsentry/sentry-javascript/pull/14544))
+- fix(core): Filter out unactionable CEFSharp promise rejection error by default ([#14595](https://github.com/getsentry/sentry-javascript/pull/14595))
+- fix(nextjs): Don't show warning about devtool option ([#14552](https://github.com/getsentry/sentry-javascript/pull/14552))
+- fix(nextjs): Only apply tracing metadata to data fetcher data when data is an object ([#14575](https://github.com/getsentry/sentry-javascript/pull/14575))
+- fix(node): Guard against invalid `maxSpanWaitDuration` values ([#14632](https://github.com/getsentry/sentry-javascript/pull/14632))
+- fix(react): Match routes with `parseSearch` option in TanStack Router instrumentation ([#14328](https://github.com/getsentry/sentry-javascript/pull/14328))
+- fix(sveltekit): Fix git SHA not being picked up for release ([#14540](https://github.com/getsentry/sentry-javascript/pull/14540))
+- fix(types): Fix generic exports with default ([#14576](https://github.com/getsentry/sentry-javascript/pull/14576))
+
+Work in this release was contributed by @lsmurray. Thank you for your contribution!
+
+## 8.42.0
+
+### Important Changes
+
+- **feat(react): React Router v7 support (library) ([#14513](https://github.com/getsentry/sentry-javascript/pull/14513))**
+
+ This release adds support for [React Router v7 (library mode)](https://reactrouter.com/home#react-router-as-a-library).
+ Check out the docs on how to set up the integration: [Sentry React Router v7 Integration Docs](https://docs.sentry.io/platforms/javascript/guides/react/features/react-router/v7/)
+
+### Deprecations
+
+- **feat: Warn about source-map generation ([#14533](https://github.com/getsentry/sentry-javascript/pull/14533))**
+
+ In the next major version of the SDK we will change how source maps are generated when the SDK is added to an application.
+ Currently, the implementation varies a lot between different SDKs and can be difficult to understand.
+ Moving forward, our goal is to turn on source maps for every framework, unless we detect that they are explicitly turned off.
+ Additionally, if we end up enabling source maps, we will emit a log message that we did so.
+
+ With this particular release, we are emitting warnings that source map generation will change in the future and we print instructions on how to prepare for the next major.
+
+- **feat(nuxt): Deprecate `tracingOptions` in favor of `vueIntegration` ([#14530](https://github.com/getsentry/sentry-javascript/pull/14530))**
+
+ Currently it is possible to configure tracing options in two places in the Sentry Nuxt SDK:
+
+ - In `Sentry.init()`
+ - Inside `tracingOptions` in `Sentry.init()`
+
+ For tree-shaking purposes and alignment with the Vue SDK, it is now recommended to instead use the newly exported `vueIntegration()` and its `tracingOptions` option to configure tracing options in the Nuxt SDK:
+
+ ```ts
+ // sentry.client.config.ts
+ import * as Sentry from '@sentry/nuxt';
+
+ Sentry.init({
+ // ...
+ integrations: [
+ Sentry.vueIntegration({
+ tracingOptions: {
+ trackComponents: true,
+ },
+ }),
+ ],
+ });
+ ```
+
+### Other Changes
+
+- feat(browser-utils): Update `web-vitals` to v4.2.4 ([#14439](https://github.com/getsentry/sentry-javascript/pull/14439))
+- feat(nuxt): Expose `vueIntegration` ([#14526](https://github.com/getsentry/sentry-javascript/pull/14526))
+- fix(feedback): Handle css correctly in screenshot mode ([#14535](https://github.com/getsentry/sentry-javascript/pull/14535))
+
+## 8.41.0
+
+### Important Changes
+
+- **meta(nuxt): Require minimum Nuxt v3.7.0 ([#14473](https://github.com/getsentry/sentry-javascript/pull/14473))**
+
+ We formalized that the Nuxt SDK is at minimum compatible with Nuxt version 3.7.0 and above.
+ Additionally, the SDK requires the implicit `nitropack` dependency to satisfy version `^2.10.0` and `ofetch` to satisfy `^1.4.0`.
+ It is recommended to check your lock-files and manually upgrade these dependencies if they don't match the version ranges.
+
+### Deprecations
+
+We are deprecating a few APIs which will be removed in the next major.
+
+The following deprecations will _potentially_ affect you:
+
+- **feat(core): Update & deprecate `undefined` option handling ([#14450](https://github.com/getsentry/sentry-javascript/pull/14450))**
+
+ In the next major version we will change how passing `undefined` to `tracesSampleRate` / `tracesSampler` / `enableTracing` will behave.
+
+ Currently, doing the following:
+
+ ```ts
+ Sentry.init({
+ tracesSampleRate: undefined,
+ });
+ ```
+
+ Will result in tracing being _enabled_ (although no spans will be generated) because the `tracesSampleRate` key is present in the options object.
+ In the next major version, this behavior will be changed so that passing `undefined` (or rather having a `tracesSampleRate` key) will result in tracing being disabled, the same as not passing the option at all.
+ If you are currently relying on `undefined` being passed, and and thus have tracing enabled, it is recommended to update your config to set e.g. `tracesSampleRate: 0` instead, which will also enable tracing in v9.
+
+ The same applies to `tracesSampler` and `enableTracing`.
+
+- **feat(core): Log warnings when returning `null` in `beforeSendSpan` ([#14433](https://github.com/getsentry/sentry-javascript/pull/14433))**
+
+ Currently, the `beforeSendSpan` option in `Sentry.init()` allows you to drop individual spans from a trace by returning `null` from the hook.
+ Since this API lends itself to creating "gaps" inside traces, we decided to change how this API will work in the next major version.
+
+ With the next major version the `beforeSendSpan` API can only be used to mutate spans, but no longer to drop them.
+ With this release the SDK will warn you if you are using this API to drop spans.
+ Instead, it is recommended to configure instrumentation (i.e. integrations) directly to control what spans are created.
+
+ Additionally, with the next major version, root spans will also be passed to `beforeSendSpan`.
+
+- **feat(utils): Deprecate `@sentry/utils` ([#14431](https://github.com/getsentry/sentry-javascript/pull/14431))**
+
+ With the next major version the `@sentry/utils` package will be merged into the `@sentry/core` package.
+ It is therefore no longer recommended to use the `@sentry/utils` package.
+
+- **feat(vue): Deprecate configuring Vue tracing options anywhere else other than through the `vueIntegration`'s `tracingOptions` option ([#14385](https://github.com/getsentry/sentry-javascript/pull/14385))**
+
+ Currently it is possible to configure tracing options in various places in the Sentry Vue SDK:
+
+ - In `Sentry.init()`
+ - Inside `tracingOptions` in `Sentry.init()`
+ - In the `vueIntegration()` options
+ - Inside `tracingOptions` in the `vueIntegration()` options
+
+ Because this is a bit messy and confusing to document, the only recommended way to configure tracing options going forward is through the `tracingOptions` in the `vueIntegration()`.
+ The other means of configuration will be removed in the next major version of the SDK.
+
+- **feat: Deprecate `registerEsmLoaderHooks.include` and `registerEsmLoaderHooks.exclude` ([#14486](https://github.com/getsentry/sentry-javascript/pull/14486))**
+
+ Currently it is possible to define `registerEsmLoaderHooks.include` and `registerEsmLoaderHooks.exclude` options in `Sentry.init()` to only apply ESM loader hooks to a subset of modules.
+ This API served as an escape hatch in case certain modules are incompatible with ESM loader hooks.
+
+ Since this API was introduced, a way was found to only wrap modules that there exists instrumentation for (meaning a vetted list).
+ To only wrap modules that have instrumentation, it is recommended to instead set `registerEsmLoaderHooks.onlyIncludeInstrumentedModules` to `true`.
+
+ Note that `onlyIncludeInstrumentedModules: true` will become the default behavior in the next major version and the `registerEsmLoaderHooks` will no longer accept fine-grained options.
+
+The following deprecations will _most likely_ not affect you unless you are building an SDK yourself:
+
+- feat(core): Deprecate `arrayify` ([#14405](https://github.com/getsentry/sentry-javascript/pull/14405))
+- feat(core): Deprecate `flatten` ([#14454](https://github.com/getsentry/sentry-javascript/pull/14454))
+- feat(core): Deprecate `urlEncode` ([#14406](https://github.com/getsentry/sentry-javascript/pull/14406))
+- feat(core): Deprecate `validSeverityLevels` ([#14407](https://github.com/getsentry/sentry-javascript/pull/14407))
+- feat(core/utils): Deprecate `getNumberOfUrlSegments` ([#14458](https://github.com/getsentry/sentry-javascript/pull/14458))
+- feat(utils): Deprecate `memoBuilder`, `BAGGAGE_HEADER_NAME`, and `makeFifoCache` ([#14434](https://github.com/getsentry/sentry-javascript/pull/14434))
+- feat(utils/core): Deprecate `addRequestDataToEvent` and `extractRequestData` ([#14430](https://github.com/getsentry/sentry-javascript/pull/14430))
+
+### Other Changes
+
+- feat: Streamline `sentry-trace`, `baggage` and DSC handling ([#14364](https://github.com/getsentry/sentry-javascript/pull/14364))
+- feat(core): Further optimize debug ID parsing ([#14365](https://github.com/getsentry/sentry-javascript/pull/14365))
+- feat(node): Add `openTelemetryInstrumentations` option ([#14484](https://github.com/getsentry/sentry-javascript/pull/14484))
+- feat(nuxt): Add filter for not found source maps (devtools) ([#14437](https://github.com/getsentry/sentry-javascript/pull/14437))
+- feat(nuxt): Only delete public source maps ([#14438](https://github.com/getsentry/sentry-javascript/pull/14438))
+- fix(nextjs): Don't report `NEXT_REDIRECT` from browser ([#14440](https://github.com/getsentry/sentry-javascript/pull/14440))
+- perf(opentelemetry): Bucket spans for cleanup ([#14154](https://github.com/getsentry/sentry-javascript/pull/14154))
+
+Work in this release was contributed by @NEKOYASAN and @fmorett. Thank you for your contributions!
+
+## 8.40.0
+
+### Important Changes
+
+- **feat(angular): Support Angular 19 ([#14398](https://github.com/getsentry/sentry-javascript/pull/14398))**
+
+ The `@sentry/angular` SDK can now be used with Angular 19. If you're upgrading to the new Angular version, you might want to migrate from the now deprecated `APP_INITIALIZER` token to `provideAppInitializer`.
+ In this case, change the Sentry `TraceService` initialization in `app.config.ts`:
+
+ ```ts
+ // Angular 18
+ export const appConfig: ApplicationConfig = {
+ providers: [
+ // other providers
+ {
+ provide: TraceService,
+ deps: [Router],
+ },
+ {
+ provide: APP_INITIALIZER,
+ useFactory: () => () => {},
+ deps: [TraceService],
+ multi: true,
+ },
+ ],
+ };
+
+ // Angular 19
+ export const appConfig: ApplicationConfig = {
+ providers: [
+ // other providers
+ {
+ provide: TraceService,
+ deps: [Router],
+ },
+ provideAppInitializer(() => {
+ inject(TraceService);
+ }),
+ ],
+ };
+ ```
+
+- **feat(core): Deprecate `debugIntegration` and `sessionTimingIntegration` ([#14363](https://github.com/getsentry/sentry-javascript/pull/14363))**
+
+ The `debugIntegration` was deprecated and will be removed in the next major version of the SDK.
+ To log outgoing events, use [Hook Options](https://docs.sentry.io/platforms/javascript/configuration/options/#hooks) (`beforeSend`, `beforeSendTransaction`, ...).
+
+ The `sessionTimingIntegration` was deprecated and will be removed in the next major version of the SDK.
+ To capture session durations alongside events, use [Context](https://docs.sentry.io/platforms/javascript/enriching-events/context/) (`Sentry.setContext()`).
+
+- **feat(nestjs): Deprecate `@WithSentry` in favor of `@SentryExceptionCaptured` ([#14323](https://github.com/getsentry/sentry-javascript/pull/14323))**
+
+ The `@WithSentry` decorator was deprecated. Use `@SentryExceptionCaptured` instead. This is a simple renaming and functionality stays identical.
+
+- **feat(nestjs): Deprecate `SentryTracingInterceptor`, `SentryService`, `SentryGlobalGenericFilter`, `SentryGlobalGraphQLFilter` ([#14371](https://github.com/getsentry/sentry-javascript/pull/14371))**
+
+ The `SentryTracingInterceptor` was deprecated. If you are using `@sentry/nestjs` you can safely remove any references to the `SentryTracingInterceptor`. If you are using another package migrate to `@sentry/nestjs` and remove the `SentryTracingInterceptor` afterwards.
+
+ The `SentryService` was deprecated and its functionality was added to `Sentry.init`. If you are using `@sentry/nestjs` you can safely remove any references to the `SentryService`. If you are using another package migrate to `@sentry/nestjs` and remove the `SentryService` afterwards.
+
+ The `SentryGlobalGenericFilter` was deprecated. Use the `SentryGlobalFilter` instead which is a drop-in replacement.
+
+ The `SentryGlobalGraphQLFilter` was deprecated. Use the `SentryGlobalFilter` instead which is a drop-in replacement.
+
+- **feat(node): Deprecate `nestIntegration` and `setupNestErrorHandler` in favor of using `@sentry/nestjs` ([#14374](https://github.com/getsentry/sentry-javascript/pull/14374))**
+
+ The `nestIntegration` and `setupNestErrorHandler` functions from `@sentry/node` were deprecated and will be removed in the next major version of the SDK. If you're using `@sentry/node` in a NestJS application, we recommend switching to our new dedicated `@sentry/nestjs` package.
+
+### Other Changes
+
+- feat(browser): Send additional LCP timing info ([#14372](https://github.com/getsentry/sentry-javascript/pull/14372))
+- feat(replay): Clear event buffer when full and in buffer mode ([#14078](https://github.com/getsentry/sentry-javascript/pull/14078))
+- feat(core): Ensure `normalizedRequest` on `sdkProcessingMetadata` is merged ([#14315](https://github.com/getsentry/sentry-javascript/pull/14315))
+- feat(core): Hoist everything from `@sentry/utils` into `@sentry/core` ([#14382](https://github.com/getsentry/sentry-javascript/pull/14382))
+- fix(core): Do not throw when trying to fill readonly properties ([#14402](https://github.com/getsentry/sentry-javascript/pull/14402))
+- fix(feedback): Fix `__self` and `__source` attributes on feedback nodes ([#14356](https://github.com/getsentry/sentry-javascript/pull/14356))
+- fix(feedback): Fix non-wrapping form title ([#14355](https://github.com/getsentry/sentry-javascript/pull/14355))
+- fix(nextjs): Update check for not found navigation error ([#14378](https://github.com/getsentry/sentry-javascript/pull/14378))
+
+## 8.39.0
+
+### Important Changes
+
+- **feat(nestjs): Instrument event handlers ([#14307](https://github.com/getsentry/sentry-javascript/pull/14307))**
+
+The `@sentry/nestjs` SDK will now capture performance data for [NestJS Events (`@nestjs/event-emitter`)](https://docs.nestjs.com/techniques/events)
+
+### Other Changes
+
+- feat(nestjs): Add alias `@SentryExceptionCaptured` for `@WithSentry` ([#14322](https://github.com/getsentry/sentry-javascript/pull/14322))
+- feat(nestjs): Duplicate `SentryService` behaviour into `@sentry/nestjs` SDK `init()` ([#14321](https://github.com/getsentry/sentry-javascript/pull/14321))
+- feat(nestjs): Handle GraphQL contexts in `SentryGlobalFilter` ([#14320](https://github.com/getsentry/sentry-javascript/pull/14320))
+- feat(node): Add alias `childProcessIntegration` for `processThreadBreadcrumbIntegration` and deprecate it ([#14334](https://github.com/getsentry/sentry-javascript/pull/14334))
+- feat(node): Ensure request bodies are reliably captured for http requests ([#13746](https://github.com/getsentry/sentry-javascript/pull/13746))
+- feat(replay): Upgrade rrweb packages to 2.29.0 ([#14160](https://github.com/getsentry/sentry-javascript/pull/14160))
+- fix(cdn): Ensure `_sentryModuleMetadata` is not mangled ([#14344](https://github.com/getsentry/sentry-javascript/pull/14344))
+- fix(core): Set `sentry.source` attribute to `custom` when calling `span.updateName` on `SentrySpan` ([#14251](https://github.com/getsentry/sentry-javascript/pull/14251))
+- fix(mongo): rewrite Buffer as ? during serialization ([#14071](https://github.com/getsentry/sentry-javascript/pull/14071))
+- fix(replay): Remove replay id from DSC on expired sessions ([#14342](https://github.com/getsentry/sentry-javascript/pull/14342))
+- ref(profiling) Fix electron crash ([#14216](https://github.com/getsentry/sentry-javascript/pull/14216))
+- ref(types): Deprecate `Request` type in favor of `RequestEventData` ([#14317](https://github.com/getsentry/sentry-javascript/pull/14317))
+- ref(utils): Stop setting `transaction` in `requestDataIntegration` ([#14306](https://github.com/getsentry/sentry-javascript/pull/14306))
+- ref(vue): Reduce bundle size for starting application render span ([#14275](https://github.com/getsentry/sentry-javascript/pull/14275))
+
+## 8.38.0
+
+- docs: Improve docstrings for node otel integrations ([#14217](https://github.com/getsentry/sentry-javascript/pull/14217))
+- feat(browser): Add moduleMetadataIntegration lazy loading support ([#13817](https://github.com/getsentry/sentry-javascript/pull/13817))
+- feat(core): Add trpc path to context in trpcMiddleware ([#14218](https://github.com/getsentry/sentry-javascript/pull/14218))
+- feat(deps): Bump @opentelemetry/instrumentation-amqplib from 0.42.0 to 0.43.0 ([#14230](https://github.com/getsentry/sentry-javascript/pull/14230))
+- feat(deps): Bump @sentry/cli from 2.37.0 to 2.38.2 ([#14232](https://github.com/getsentry/sentry-javascript/pull/14232))
+- feat(node): Add `knex` integration ([#13526](https://github.com/getsentry/sentry-javascript/pull/13526))
+- feat(node): Add `tedious` integration ([#13486](https://github.com/getsentry/sentry-javascript/pull/13486))
+- feat(utils): Single implementation to fetch debug ids ([#14199](https://github.com/getsentry/sentry-javascript/pull/14199))
+- fix(browser): Avoid recording long animation frame spans starting before their parent span ([#14186](https://github.com/getsentry/sentry-javascript/pull/14186))
+- fix(node): Include `debug_meta` with ANR events ([#14203](https://github.com/getsentry/sentry-javascript/pull/14203))
+- fix(nuxt): Fix dynamic import rollup plugin to work with latest nitro ([#14243](https://github.com/getsentry/sentry-javascript/pull/14243))
+- fix(react): Support wildcard routes on React Router 6 ([#14205](https://github.com/getsentry/sentry-javascript/pull/14205))
+- fix(spotlight): Export spotlightBrowserIntegration from the main browser package ([#14208](https://github.com/getsentry/sentry-javascript/pull/14208))
+- ref(browser): Ensure start time of interaction root and child span is aligned ([#14188](https://github.com/getsentry/sentry-javascript/pull/14188))
+- ref(nextjs): Make build-time value injection turbopack compatible ([#14081](https://github.com/getsentry/sentry-javascript/pull/14081))
+
+Work in this release was contributed by @grahamhency, @Zen-cronic, @gilisho and @phuctm97. Thank you for your contributions!
+
+## 8.37.1
+
+- feat(deps): Bump @opentelemetry/instrumentation from 0.53.0 to 0.54.0 for @sentry/opentelemetry ([#14187](https://github.com/getsentry/sentry-javascript/pull/14187))
+
+## 8.37.0
+
+### Important Changes
+
+- **feat(nuxt): Add `piniaIntegration` ([#14138](https://github.com/getsentry/sentry-javascript/pull/14138))**
+
+The Nuxt SDK now allows you to track Pinia state for captured errors. To enable the Pinia plugin, add the `piniaIntegration` to your client config:
+
+```ts
+// sentry.client.config.ts
+import { usePinia } from '#imports';
+
+Sentry.init({
+ integrations: [
+ Sentry.piniaIntegration(usePinia(), {
+ /* optional Pinia plugin options */
+ }),
+ ],
+});
+```
+
+- **feat: Deprecate metrics API ([#14157](https://github.com/getsentry/sentry-javascript/pull/14157))**
+
+The Sentry Metrics beta has ended in favour of revisiting metrics in another form at a later date.
+
+This new approach will include different APIs, making the current metrics API unnecessary. This release
+deprecates the metrics API with the plan to remove in the next SDK major version. If you currently use the
+metrics API in your code, you can safely continue to do so but sent data will no longer be processed by Sentry.
+
+[Learn more](https://sentry.zendesk.com/hc/en-us/articles/26369339769883-Metrics-Beta-Ended-on-October-7th) about the end of the Metrics beta.
+
+### Other Changes
+
+- feat(browser): Add `http.response_delivery_type` attribute to resource spans ([#14056](https://github.com/getsentry/sentry-javascript/pull/14056))
+- feat(browser): Add `skipBrowserExtensionCheck` escape hatch option ([#14147](https://github.com/getsentry/sentry-javascript/pull/14147))
+- feat(deps): Bump @opentelemetry/instrumentation from 0.53.0 to 0.54.0 ([#14174](https://github.com/getsentry/sentry-javascript/pull/14174))
+- feat(deps): Bump @opentelemetry/instrumentation-fastify from 0.40.0 to 0.41.0 ([#14175](https://github.com/getsentry/sentry-javascript/pull/14175))
+- feat(deps): Bump @opentelemetry/instrumentation-graphql from 0.43.0 to 0.44.0 ([#14173](https://github.com/getsentry/sentry-javascript/pull/14173))
+- feat(deps): Bump @opentelemetry/instrumentation-mongodb from 0.47.0 to 0.48.0 ([#14171](https://github.com/getsentry/sentry-javascript/pull/14171))
+- feat(deps): Bump @opentelemetry/propagator-aws-xray from 1.25.1 to 1.26.0 ([#14172](https://github.com/getsentry/sentry-javascript/pull/14172))
+- feat(nuxt): Add `asyncFunctionReExports` to define re-exported server functions ([#14104](https://github.com/getsentry/sentry-javascript/pull/14104))
+- feat(nuxt): Add `piniaIntegration` ([#14138](https://github.com/getsentry/sentry-javascript/pull/14138))
+- fix(browser): Avoid recording long task spans starting before their parent span ([#14183](https://github.com/getsentry/sentry-javascript/pull/14183))
+- fix(core): Ensure errors thrown in async cron jobs bubble up ([#14182](https://github.com/getsentry/sentry-javascript/pull/14182))
+- fix(core): Silently fail `maybeInstrument` ([#14140](https://github.com/getsentry/sentry-javascript/pull/14140))
+- fix(nextjs): Resolve path for dynamic webpack import ([#13751](https://github.com/getsentry/sentry-javascript/pull/13751))
+- fix(node): Make sure `modulesIntegration` does not crash esm apps ([#14169](https://github.com/getsentry/sentry-javascript/pull/14169))
+
+Work in this release was contributed by @rexxars. Thank you for your contribution!
+
+## 8.36.0
+
+### Important Changes
+
+- **feat(nextjs/vercel-edge/cloudflare): Switch to OTEL for performance monitoring ([#13889](https://github.com/getsentry/sentry-javascript/pull/13889))**
+
+With this release, the Sentry Next.js, and Cloudflare SDKs will now capture performance data based on OpenTelemetry.
+Some exceptions apply in cases where Next.js captures inaccurate data itself.
+
+NOTE: You may experience minor differences in transaction names in Sentry.
+Most importantly transactions for serverside pages router invocations will now be named `GET /[param]/my/route` instead of `/[param]/my/route`.
+This means that those transactions are now better aligned with the OpenTelemetry semantic conventions.
+
+### Other Changes
+
+- deps: Bump bundler plugins and CLI to 2.22.6 and 2.37.0 respectively ([#14050](https://github.com/getsentry/sentry-javascript/pull/14050))
+- feat(deps): bump @opentelemetry/instrumentation-aws-sdk from 0.44.0 to 0.45.0 ([#14099](https://github.com/getsentry/sentry-javascript/pull/14099))
+- feat(deps): bump @opentelemetry/instrumentation-connect from 0.39.0 to 0.40.0 ([#14101](https://github.com/getsentry/sentry-javascript/pull/14101))
+- feat(deps): bump @opentelemetry/instrumentation-express from 0.43.0 to 0.44.0 ([#14102](https://github.com/getsentry/sentry-javascript/pull/14102))
+- feat(deps): bump @opentelemetry/instrumentation-fs from 0.15.0 to 0.16.0 ([#14098](https://github.com/getsentry/sentry-javascript/pull/14098))
+- feat(deps): bump @opentelemetry/instrumentation-kafkajs from 0.3.0 to 0.4.0 ([#14100](https://github.com/getsentry/sentry-javascript/pull/14100))
+- feat(nextjs): Add method and url to route handler request data ([#14084](https://github.com/getsentry/sentry-javascript/pull/14084))
+- feat(node): Add breadcrumbs for `child_process` and `worker_thread` ([#13896](https://github.com/getsentry/sentry-javascript/pull/13896))
+- fix(core): Ensure standalone spans are not sent if SDK is disabled ([#14088](https://github.com/getsentry/sentry-javascript/pull/14088))
+- fix(nextjs): Await flush in api handlers ([#14023](https://github.com/getsentry/sentry-javascript/pull/14023))
+- fix(nextjs): Don't leak webpack types into exports ([#14116](https://github.com/getsentry/sentry-javascript/pull/14116))
+- fix(nextjs): Fix matching logic for file convention type for root level components ([#14038](https://github.com/getsentry/sentry-javascript/pull/14038))
+- fix(nextjs): Respect directives in value injection loader ([#14083](https://github.com/getsentry/sentry-javascript/pull/14083))
+- fix(nuxt): Only wrap `.mjs` entry files in rollup ([#14060](https://github.com/getsentry/sentry-javascript/pull/14060))
+- fix(nuxt): Re-export all exported bindings ([#14086](https://github.com/getsentry/sentry-javascript/pull/14086))
+- fix(nuxt): Server-side setup in readme ([#14049](https://github.com/getsentry/sentry-javascript/pull/14049))
+- fix(profiling-node): Always warn when running on incompatible major version of Node.js ([#14043](https://github.com/getsentry/sentry-javascript/pull/14043))
+- fix(replay): Fix `onError` callback ([#14002](https://github.com/getsentry/sentry-javascript/pull/14002))
+- perf(otel): Only calculate current timestamp once ([#14094](https://github.com/getsentry/sentry-javascript/pull/14094))
+- test(browser-integration): Add sentry DSN route handler by default ([#14095](https://github.com/getsentry/sentry-javascript/pull/14095))
+
+## 8.35.0
+
+### Beta release of the official Nuxt Sentry SDK
+
+This release marks the beta release of the `@sentry/nuxt` Sentry SDK. For details on how to use it, check out the
+[Sentry Nuxt SDK README](https://github.com/getsentry/sentry-javascript/tree/develop/packages/nuxt). Please reach out on
+[GitHub](https://github.com/getsentry/sentry-javascript/issues/new/choose) if you have any feedback or concerns.
+
+- **feat(nuxt): Make dynamic import() wrapping default
+ ([#13958](https://github.com/getsentry/sentry-javascript/pull/13958))** (BREAKING)
+- **feat(nuxt): Add Rollup plugin to wrap server entry with `import()`
+ ([#13945](https://github.com/getsentry/sentry-javascript/pull/13945))**
+
+**It is no longer required to add a Node `--import` flag. Please update your start command to avoid initializing Sentry
+twice (BREAKING CHANGE).** The SDK will now apply modifications during the build of your application to allow for
+patching of libraries during runtime. If run into issues with this change, you can disable this behavior in your
+`nuxt.config.ts` and use the `--import` flag instead:
+
+```js
+sentry: {
+ dynamicImportForServerEntry: false;
+}
+```
+
+- **feat(nuxt): Respect user-provided source map generation settings
+ ([#14020](https://github.com/getsentry/sentry-javascript/pull/14020))**
+
+We now require you to explicitly enable sourcemaps for the clientside so that Sentry can un-minify your errors. We made
+this change so source maps aren't accidentally leaked to the public. Enable source maps on the client as follows:
+
+```js
+export default defineNuxtConfig({
+ sourcemap: {
+ client: true,
+ },
+});
+```
+
+- feat(nuxt): Log server instrumentation might not work in dev
+ ([#14021](https://github.com/getsentry/sentry-javascript/pull/14021))
+- feat(nuxt): Add Http `responseHook` with `waitUntil`
+ ([#13986](https://github.com/getsentry/sentry-javascript/pull/13986))
+
+### Important Changes
+
+- **feat(vue): Add Pinia plugin ([#13841](https://github.com/getsentry/sentry-javascript/pull/13841))**
+
+Support for [Pinia](https://pinia.vuejs.org/) is added in this release for `@sentry/vue`. To capture Pinia state data,
+add `createSentryPiniaPlugin()` to your Pinia store:
+
+```javascript
+import { createPinia } from 'pinia';
+import { createSentryPiniaPlugin } from '@sentry/vue';
+
+const pinia = createPinia();
+
+pinia.use(createSentryPiniaPlugin());
+```
+
+- **feat(node): Implement Sentry-specific http instrumentation
+ ([#13763](https://github.com/getsentry/sentry-javascript/pull/13763))**
+
+This change introduces a new `SentryHttpInstrumentation` to handle non-span related HTTP instrumentation, allowing it to
+run side-by-side with OTel's `HttpInstrumentation`. This improves support for custom OTel setups and avoids conflicts
+with Sentry's instrumentation. Additionally, the `spans: false` option is reintroduced for `httpIntegration` to disable
+span emission while still allowing custom `HttpInstrumentation` instances (`httpIntegration({ spans: false })`).
+
+- **feat(core): Make stream instrumentation opt-in
+ ([#13951](https://github.com/getsentry/sentry-javascript/pull/13951))**
+
+This change adds a new option `trackFetchStreamPerformance` to the browser tracing integration. Only when set to `true`,
+Sentry will instrument streams via fetch.
+
+### Other Changes
+
+- feat(node): Expose `suppressTracing` API ([#13875](https://github.com/getsentry/sentry-javascript/pull/13875))
+- feat(replay): Do not log "timeout while trying to read resp body" as exception
+ ([#13965](https://github.com/getsentry/sentry-javascript/pull/13965))
+- chore(node): Bump `@opentelemetry/instrumentation-express` to `0.43.0`
+ ([#13948](https://github.com/getsentry/sentry-javascript/pull/13948))
+- chore(node): Bump `@opentelemetry/instrumentation-fastify` to `0.40.0`
+ ([#13983](https://github.com/getsentry/sentry-javascript/pull/13983))
+- fix: Ensure type for `init` is correct in meta frameworks
+ ([#13938](https://github.com/getsentry/sentry-javascript/pull/13938))
+- fix(core): `.set` the `sentry-trace` header instead of `.append`ing in fetch instrumentation
+ ([#13907](https://github.com/getsentry/sentry-javascript/pull/13907))
+- fix(module): keep version for node ESM package ([#13922](https://github.com/getsentry/sentry-javascript/pull/13922))
+- fix(node): Ensure `ignoreOutgoingRequests` of `httpIntegration` applies to breadcrumbs
+ ([#13970](https://github.com/getsentry/sentry-javascript/pull/13970))
+- fix(replay): Fix onError sampling when loading an expired buffered session
+ ([#13962](https://github.com/getsentry/sentry-javascript/pull/13962))
+- fix(replay): Ignore older performance entries when starting manually
+ ([#13969](https://github.com/getsentry/sentry-javascript/pull/13969))
+- perf(node): Truncate breadcrumb messages created by console integration
+ ([#14006](https://github.com/getsentry/sentry-javascript/pull/14006))
+
+Work in this release was contributed by @ZakrepaShe and @zhiyan114. Thank you for your contributions!
+
+## 8.34.0
+
+### Important Changes
+
+- **ref(nextjs): Remove dead code ([#13828](https://github.com/getsentry/sentry-javascript/pull/13903))**
+
+Relevant for users of the `@sentry/nextjs` package: If you have previously configured a
+`SENTRY_IGNORE_API_RESOLUTION_ERROR` environment variable, it is now safe to unset it.
+
+### Other Changes
+
+- feat(cdn): Export `getReplay` in replay CDN bundles
+ ([#13881](https://github.com/getsentry/sentry-javascript/pull/13881))
+- feat(replay): Clear fallback buffer when switching buffers
+ ([#13914](https://github.com/getsentry/sentry-javascript/pull/13914))
+- feat(replay): Upgrade rrweb packages to 2.28.0 ([#13732](https://github.com/getsentry/sentry-javascript/pull/13732))
+- fix(docs): Correct supported browsers due to `globalThis`
+ ([#13788](https://github.com/getsentry/sentry-javascript/pull/13788))
+- fix(nextjs): Adjust path to `requestAsyncStorageShim.js` template file
+ ([#13928](https://github.com/getsentry/sentry-javascript/pull/13928))
+- fix(nextjs): Detect new locations for request async storage to support Next.js v15.0.0-canary.180 and higher
+ ([#13920](https://github.com/getsentry/sentry-javascript/pull/13920))
+- fix(nextjs): Drop `_not-found` spans for all HTTP methods
+ ([#13906](https://github.com/getsentry/sentry-javascript/pull/13906))
+- fix(nextjs): Fix resolution of request storage shim fallback
+ ([#13929](https://github.com/getsentry/sentry-javascript/pull/13929))
+- fix(node): Ensure graphql options are correct when preloading
+ ([#13769](https://github.com/getsentry/sentry-javascript/pull/13769))
+- fix(node): Local variables handle error ([#13827](https://github.com/getsentry/sentry-javascript/pull/13827))
+- fix(node): Remove `dataloader` instrumentation from default integrations
+ ([#13873](https://github.com/getsentry/sentry-javascript/pull/13873))
+- fix(nuxt): Create declaration files for Nuxt module
+ ([#13909](https://github.com/getsentry/sentry-javascript/pull/13909))
+- fix(replay): Ensure `replay_id` is removed from frozen DSC when stopped
+ ([#13893](https://github.com/getsentry/sentry-javascript/pull/13893))
+- fix(replay): Try/catch `sendBufferedReplayOrFlush` to prevent cycles
+ ([#13900](https://github.com/getsentry/sentry-javascript/pull/13900))
+- fix(sveltekit): Ensure trace meta tags are always injected
+ ([#13231](https://github.com/getsentry/sentry-javascript/pull/13231))
+- fix(sveltekit): Update `wrapServerRouteWithSentry` to respect ParamMatchers
+ ([#13390](https://github.com/getsentry/sentry-javascript/pull/13390))
+- fix(wasm): Integration wasm uncaught WebAssembly.Exception
+ ([#13787](https://github.com/getsentry/sentry-javascript/pull/13787)) (#13854)
+- ref(nextjs): Ignore sentry spans based on query param attribute
+ ([#13905](https://github.com/getsentry/sentry-javascript/pull/13905))
+- ref(utils): Move `vercelWaitUntil` to utils ([#13891](https://github.com/getsentry/sentry-javascript/pull/13891))
+
+Work in this release was contributed by @trzeciak, @gurpreetatwal, @ykzts and @lizhiyao. Thank you for your
+contributions!
+
+## 8.33.1
+
+- fix(core): Update trpc middleware types ([#13859](https://github.com/getsentry/sentry-javascript/pull/13859))
+- fix(fetch): Fix memory leak when handling endless streaming
+ ([#13809](https://github.com/getsentry/sentry-javascript/pull/13809))
+
+Work in this release was contributed by @soapproject. Thank you for your contribution!
+
+## 8.33.0
+
+### Important Changes
+
+- **feat(nextjs): Support new async APIs (`headers()`, `params`, `searchParams`)
+ ([#13828](https://github.com/getsentry/sentry-javascript/pull/13828))**
+
+Adds support for [new dynamic Next.js APIs](https://github.com/vercel/next.js/pull/68812).
+
+- **feat(node): Add `lru-memoizer` instrumentation
+ ([#13796](https://github.com/getsentry/sentry-javascript/pull/13796))**
+
+Adds integration for lru-memoizer using @opentelemetry/instrumentation-lru-memoizer.
+
+- **feat(nuxt): Add `unstable_sentryBundlerPluginOptions` to module options
+ ([#13811](https://github.com/getsentry/sentry-javascript/pull/13811))**
+
+Allows passing other options from the bundler plugins (vite and rollup) to Nuxt module options.
+
+### Other Changes
+
+- fix(browser): Ensure `wrap()` only returns functions
+ ([#13838](https://github.com/getsentry/sentry-javascript/pull/13838))
+- fix(core): Adapt trpc middleware input attachment
+ ([#13831](https://github.com/getsentry/sentry-javascript/pull/13831))
+- fix(core): Don't return trace data in `getTraceData` and `getTraceMetaTags` if SDK is disabled
+ ([#13760](https://github.com/getsentry/sentry-javascript/pull/13760))
+- fix(nuxt): Don't restrict source map assets upload
+ ([#13800](https://github.com/getsentry/sentry-javascript/pull/13800))
+- fix(nuxt): Use absolute path for client config ([#13798](https://github.com/getsentry/sentry-javascript/pull/13798))
+- fix(replay): Stop global event handling for paused replays
+ ([#13815](https://github.com/getsentry/sentry-javascript/pull/13815))
+- fix(sveltekit): add url param to source map upload options
+ ([#13812](https://github.com/getsentry/sentry-javascript/pull/13812))
+- fix(types): Add jsdocs to cron types ([#13776](https://github.com/getsentry/sentry-javascript/pull/13776))
+- fix(nextjs): Loosen @sentry/nextjs webpack peer dependency
+ ([#13826](https://github.com/getsentry/sentry-javascript/pull/13826))
+
+Work in this release was contributed by @joshuajaco. Thank you for your contribution!
+
+## 8.32.0
+
+### Important Changes
+
+- **ref(browser): Move navigation span descriptions into op
+ ([#13527](https://github.com/getsentry/sentry-javascript/pull/13527))**
+
+Moves the description of navigation related browser spans into the op, e.g. browser - cache -> browser.cache and sets
+the description to the performanceEntry objects' names (in this context it is the URL of the page).
+
+- **feat(node): Add amqplibIntegration ([#13714](https://github.com/getsentry/sentry-javascript/pull/13714))**
+
+- **feat(nestjs): Add `SentryGlobalGenericFilter` and allow specifying application ref in global filter
+ ([#13673](https://github.com/getsentry/sentry-javascript/pull/13673))**
+
+Adds a `SentryGlobalGenericFilter` that filters both graphql and http exceptions depending on the context.
+
+- **feat: Set log level for Fetch/XHR breadcrumbs based on status code
+ ([#13711](https://github.com/getsentry/sentry-javascript/pull/13711))**
+
+Sets log levels in breadcrumbs for 5xx to error and 4xx to warning.
+
+### Other Changes
+
+- chore(nextjs): Bump rollup to 3.29.5 ([#13761](https://github.com/getsentry/sentry-javascript/pull/13761))
+- fix(core): Remove `sampled` flag from dynamic sampling context in Tracing without Performance mode
+ ([#13753](https://github.com/getsentry/sentry-javascript/pull/13753))
+- fix(node): Ensure node-fetch does not emit spans without tracing
+ ([#13765](https://github.com/getsentry/sentry-javascript/pull/13765))
+- fix(nuxt): Use Nuxt error hooks instead of errorHandler to prevent 500
+ ([#13748](https://github.com/getsentry/sentry-javascript/pull/13748))
+- fix(test): Unflake LCP test ([#13741](https://github.com/getsentry/sentry-javascript/pull/13741))
+
+Work in this release was contributed by @Zen-cronic and @Sjoertjuh. Thank you for your contributions!
+
+## 8.31.0
+
+### Important Changes
+
+- **feat(node): Add `dataloader` integration (#13664)**
+
+This release adds a new integration for the [`dataloader` package](https://www.npmjs.com/package/dataloader). The Node
+SDK (and all SDKs that depend on it) will now automatically instrument `dataloader` instances. You can also add it
+manually:
+
+```js
+Sentry.init({
+ integrations: [Sentry.dataloaderIntegration()],
+});
+```
+
+### Other Changes
+
+- feat(browser): Add navigation `activationStart` timestamp to pageload span (#13658)
+- feat(gatsby): Add optional `deleteSourcemapsAfterUpload` (#13610)
+- feat(nextjs): Give app router prefetch requests a `http.server.prefetch` op (#13600)
+- feat(nextjs): Improve Next.js serverside span data quality (#13652)
+- feat(node): Add `disableInstrumentationWarnings` option (#13693)
+- feat(nuxt): Adding `experimental_basicServerTracing` option to Nuxt module (#13643)
+- feat(nuxt): Improve logs about adding Node option 'import' (#13726)
+- feat(replay): Add `onError` callback + other small improvements to debugging (#13721)
+- feat(replay): Add experimental option to allow for a checkout every 6 minutes (#13069)
+- feat(wasm): Unconditionally parse instruction addresses (#13655)
+- fix: Ensure all logs are wrapped with `consoleSandbox` (#13690)
+- fix(browser): Try multiple options for `lazyLoadIntegration` script parent element lookup (#13717)
+- fix(feedback): Actor color applies to feedback icon (#13702)
+- fix(feedback): Fix form width on mobile devices (#13068)
+- fix(nestjs): Preserve original function name on `SentryTraced` functions (#13684)
+- fix(node): Don't overwrite local variables for re-thrown errors (#13644)
+- fix(normalize): Treat Infinity as NaN both are non-serializable numbers (#13406)
+- fix(nuxt): Use correct server output file path (#13725)
+- fix(opentelemetry): Always use active span in `Propagator.inject` (#13381)
+- fix(replay): Fixes potential out-of-order segments (#13609)
+
+Work in this release was contributed by @KyGuy2002, @artzhookov, and @julianCast. Thank you for your contributions!
+
+## 8.30.0
+
+### Important Changes
+
+- **feat(node): Add `kafkajs` integration (#13528)**
+
+This release adds a new integration that instruments `kafkajs` library with spans and traces. This integration is
+automatically enabled by default, but can be included with the `Sentry.kafkaIntegration()` import.
+
+```js
+Sentry.init({
+ integrations: [Sentry.kafkaIntegration()],
+});
+```
+
+### Other Changes
+
+- feat(core): Allow adding measurements without global client (#13612)
+- feat(deps): Bump @opentelemetry/instrumentation-undici from 0.5.0 to 0.6.0 (#13622)
+- feat(deps): Bump @sentry/cli from 2.33.0 to 2.35.0 (#13624)
+- feat(node): Use `@opentelemetry/instrumentation-undici` for fetch tracing (#13485)
+- feat(nuxt): Add server config to root folder (#13583)
+- feat(otel): Upgrade @opentelemetry/semantic-conventions to 1.26.0 (#13631)
+- fix(browser): check supportedEntryTypes before caling the function (#13541)
+- fix(browser): Ensure Standalone CLS span timestamps are correct (#13649)
+- fix(nextjs): Widen removal of 404 transactions (#13628)
+- fix(node): Remove ambiguity and race conditions when matching local variables to exceptions (#13501)
+- fix(node): Update OpenTelemetry instrumentation package for solidstart and opentelemetry (#13640)
+- fix(node): Update OpenTelemetry instrumentation package for solidstart and opentelemetry (#13642)
+- fix(vue): Ensure Vue `trackComponents` list matches components with or without `<>` (#13543)
+- ref(profiling): Conditionally shim cjs globals (#13267)
+
+Work in this release was contributed by @Zen-cronic and @odanado. Thank you for your contributions!
+
+## 8.29.0
+
+### Important Changes
+
+- **Beta releases of official Solid and SolidStart Sentry SDKs**
+
+This release marks the beta releases of the `@sentry/solid` and `@sentry/solidstart` Sentry SDKs. For details on how to
+use them, check out the
+[Sentry Solid SDK README](https://github.com/getsentry/sentry-javascript/tree/develop/packages/solid) and the
+[Sentry SolidStart SDK README](https://github.com/getsentry/sentry-javascript/tree/develop/packages/solidstart)
+respectively. Please reach out on [GitHub](https://github.com/getsentry/sentry-javascript/issues/new/choose) if you have
+any feedback or concerns.
+
+- **feat(node): Option to only wrap instrumented modules (#13139)**
+
+Adds the SDK option to only wrap ES modules with `import-in-the-middle` that specifically need to be instrumented.
+
+```javascript
+import * as Sentry from '@sentry/node';
+
+Sentry.init({
+ dsn: '__PUBLIC_DSN__',
+ registerEsmLoaderHooks: { onlyIncludeInstrumentedModules: true },
+});
+```
+
+- **feat(node): Update OpenTelemetry packages to instrumentation v0.53.0 (#13587)**
+
+All internal OpenTelemetry instrumentation was updated to their latest version. This adds support for Mongoose v7 and v8
+and fixes various bugs related to ESM mode.
+
+### Other Changes
+
+- feat(nextjs): Emit warning when using turbopack (#13566)
+- feat(nextjs): Future-proof Next.js config options overriding (#13586)
+- feat(node): Add `generic-pool` integration (#13465)
+- feat(nuxt): Upload sourcemaps generated by Nitro (#13382)
+- feat(solidstart): Add `browserTracingIntegration` by default (#13561)
+- feat(solidstart): Add `sentrySolidStartVite` plugin to simplify source maps upload (#13493)
+- feat(vue): Only start UI spans if parent is available (#13568)
+- fix(cloudflare): Guard `context.waitUntil` call in request handler (#13549)
+- fix(gatsby): Fix assets path for sourcemaps upload (#13592)
+- fix(nextjs): Use posix paths for sourcemap uploads (#13603)
+- fix(node-fetch): Use stringified origin url (#13581)
+- fix(node): Replace dashes in `generic-pool` span origins with underscores (#13579)
+- fix(replay): Fix types in WebVitalData (#13573)
+- fix(replay): Improve replay web vital types (#13602)
+- fix(utils): Keep logger on carrier (#13570)
+
+Work in this release was contributed by @Zen-cronic. Thank you for your contribution!
+
+## 8.28.0
+
+### Important Changes
+
+- **Beta release of official NestJS SDK**
+
+This release contains the beta version of `@sentry/nestjs`! For details on how to use it, check out the
+[README](https://github.com/getsentry/sentry-javascript/blob/master/packages/nestjs/README.md). Any feedback/bug reports
+are greatly appreciated, please reach out on GitHub.
+
+- **fix(browser): Remove faulty LCP, FCP and FP normalization logic (#13502)**
+
+This release fixes a bug in the `@sentry/browser` package and all SDKs depending on this package (e.g. `@sentry/react`
+or `@sentry/nextjs`) that caused the SDK to send incorrect web vital values for the LCP, FCP and FP vitals. The SDK
+previously incorrectly processed the original values as they were reported from the browser. When updating your SDK to
+this version, you might experience an increase in LCP, FCP and FP values, which potentially leads to a decrease in your
+performance score in the Web Vitals Insights module in Sentry. This is because the previously reported values were
+smaller than the actually measured values. We apologize for the inconvenience!
+
+### Other Changes
+
+- feat(nestjs): Add `SentryGlobalGraphQLFilter` (#13545)
+- feat(nestjs): Automatic instrumentation of nestjs interceptors after route execution (#13264)
+- feat(nextjs): Add `bundleSizeOptimizations` to build options (#13323)
+- feat(nextjs): Stabilize `captureRequestError` (#13550)
+- feat(nuxt): Wrap config in nuxt context (#13457)
+- feat(profiling): Expose profiler as top level primitive (#13512)
+- feat(replay): Add layout shift to CLS replay data (#13386)
+- feat(replay): Upgrade rrweb packages to 2.26.0 (#13483)
+- fix(cdn): Do not mangle \_metadata (#13426)
+- fix(cdn): Fix SDK source for CDN bundles (#13475)
+- fix(nestjs): Check arguments before instrumenting with `@Injectable` (#13544)
+- fix(nestjs): Ensure exception and host are correctly passed on when using @WithSentry (#13564)
+- fix(node): Suppress tracing for transport request execution rather than transport creation (#13491)
+- fix(replay): Consider more things as DOM mutations for dead clicks (#13518)
+- fix(vue): Correctly obtain component name (#13484)
+
+Work in this release was contributed by @leopoldkristjansson, @mhuggins and @filips123. Thank you for your
+contributions!
+
+## 8.27.0
+
+### Important Changes
+
+- **fix(nestjs): Exception filters in main app module are not being executed (#13278)**
+
+ With this release nestjs error monitoring is no longer automatically set up after adding the `SentryModule` to your
+ application, which led to issues in certain scenarios. You will now have to either add the `SentryGlobalFilter` to
+ your main module providers or decorate the `catch()` method in your existing global exception filters with the newly
+ released `@WithSentry()` decorator. See the [docs](https://docs.sentry.io/platforms/javascript/guides/nestjs/) for
+ more details.
+
+### Other Changes
+
+- feat: Add options for passing nonces to feedback integration (#13347)
+- feat: Add support for SENTRY_SPOTLIGHT env var in Node (#13325)
+- feat(deps): bump @prisma/instrumentation from 5.17.0 to 5.18.0 (#13327)
+- feat(feedback): Improve error message for 403 errors (#13441)
+- fix(deno): Don't rely on `Deno.permissions.querySync` (#13378)
+- fix(replay): Ensure we publish replay CDN bundles (#13437)
+
+Work in this release was contributed by @charpeni. Thank you for your contribution!
+
+## 8.26.0
+
+### Important Changes
+
+- **feat(node): Add `fsInstrumentation` (#13291)**
+
+ This release adds `fsIntegration`, an integration that instruments the `fs` API to the Sentry Node SDK. The
+ integration creates spans with naming patterns of `fs.readFile`, `fs.unlink`, and so on.
+
+ This integration is not enabled by default and needs to be registered in your `Sentry.init` call. You can configure
+ via options whether to include path arguments or error messages as span attributes when an fs call fails:
+
+ ```js
+ Sentry.init({
+ integrations: [
+ Sentry.fsIntegration({
+ recordFilePaths: true,
+ recordErrorMessagesAsSpanAttributes: true,
+ }),
+ ],
+ });
+ ```
+
+ **WARNING:** This integration may add significant overhead to your application. Especially in scenarios with a lot of
+ file I/O, like for example when running a framework dev server, including this integration can massively slow down
+ your application.
+
+### Other Changes
+
+- feat(browser): Add spotlightBrowser integration (#13263)
+- feat(browser): Allow sentry in safari extension background page (#13209)
+- feat(browser): Send CLS as standalone span (experimental) (#13056)
+- feat(core): Add OpenTelemetry-specific `getTraceData` implementation (#13281)
+- feat(nextjs): Always add `browserTracingIntegration` (#13324)
+- feat(nextjs): Always transmit trace data to the client (#13337)
+- feat(nextjs): export SentryBuildOptions (#13296)
+- feat(nextjs): Update `experimental_captureRequestError` to reflect `RequestInfo.path` change in Next.js canary
+ (#13344)
+
+- feat(nuxt): Always add tracing meta tags (#13273)
+- feat(nuxt): Set transaction name for server error (#13292)
+- feat(replay): Add a replay-specific logger (#13256)
+- feat(sveltekit): Add bundle size optimizations to plugin options (#13318)
+- feat(sveltekit): Always add browserTracingIntegration (#13322)
+- feat(tracing): Make long animation frames opt-out (#13255)
+- fix(astro): Correctly extract request data (#13315)
+- fix(astro): Only track access request headers in dynamic page requests (#13306)
+- fix(nuxt): Add import line for disabled `autoImport` (#13342)
+- fix(nuxt): Add vue to excludeEsmLoaderHooks array (#13346)
+- fix(opentelemetry): Do not overwrite http span name if kind is internal (#13282)
+- fix(remix): Ensure `origin` is correctly set for remix server spans (#13305)
+
+Work in this release was contributed by @MonstraG, @undead-voron and @Zen-cronic. Thank you for your contributions!
+
+## 8.25.0
+
+### Important Changes
+
+- **Alpha release of Official Solid Start SDK**
+
+This release contains the alpha version of `@sentry/solidstart`, our SDK for [Solid Start](https://start.solidjs.com/)!
+For details on how to use it, please see the [README](./packages/solidstart/README.md). Any feedback/bug reports are
+greatly appreciated, please [reach out on GitHub](https://github.com/getsentry/sentry-javascript/issues/12538).
+
+### Other Changes
+
+- feat(astro): Add `bundleSizeOptimizations` vite options to integration (#13250)
+- feat(astro): Always add BrowserTracing (#13244)
+- feat(core): Add `getTraceMetaTags` function (#13201)
+- feat(nestjs): Automatic instrumentation of nestjs exception filters (#13230)
+- feat(node): Add `useOperationNameForRootSpan` to`graphqlIntegration` (#13248)
+- feat(sveltekit): Add `wrapServerRouteWithSentry` wrapper (#13247)
+- fix(aws-serverless): Extract sentry trace data from handler `context` over `event` (#13266)
+- fix(browser): Initialize default integration if `defaultIntegrations: undefined` (#13261)
+- fix(utils): Streamline IP capturing on incoming requests (#13272)
+
+## 8.24.0
+
+- feat(nestjs): Filter RPC exceptions (#13227)
+- fix: Guard getReader function for other fetch implementations (#13246)
+- fix(feedback): Ensure feedback can be lazy loaded in CDN bundles (#13241)
+
+## 8.23.0
+
+### Important Changes
+
+- **feat(cloudflare): Add Cloudflare D1 instrumentation (#13142)**
+
+This release includes support for Cloudflare D1, Cloudflare's serverless SQL database. To instrument your Cloudflare D1
+database, use the `instrumentD1WithSentry` method as follows:
+
+```ts
+// env.DB is the D1 DB binding configured in your `wrangler.toml`
+const db = instrumentD1WithSentry(env.DB);
+// Now you can use the database as usual
+await db.prepare('SELECT * FROM table WHERE id = ?').bind(1).run();
+```
+
+### Other Changes
+
+- feat(cloudflare): Allow users to pass handler to sentryPagesPlugin (#13192)
+- feat(cloudflare): Instrument scheduled handler (#13114)
+- feat(core): Add `getTraceData` function (#13134)
+- feat(nestjs): Automatic instrumentation of nestjs interceptors before route execution (#13153)
+- feat(nestjs): Automatic instrumentation of nestjs pipes (#13137)
+- feat(nuxt): Filter out Nuxt build assets (#13148)
+- feat(profiling): Attach sdk info to chunks (#13145)
+- feat(solidstart): Add sentry `onBeforeResponse` middleware to enable distributed tracing (#13221)
+- feat(solidstart): Filter out low quality transactions for build assets (#13222)
+- fix(browser): Avoid showing browser extension error message in non-`window` global scopes (#13156)
+- fix(feedback): Call dialog.close() in dialog close callbacks in `\_loadAndRenderDialog` (#13203)
+- fix(nestjs): Inline Observable type to resolve missing 'rxjs' dependency (#13166)
+- fix(nuxt): Detect pageload by adding flag in Vue router (#13171)
+- fix(utils): Handle when requests get aborted in fetch instrumentation (#13202)
+- ref(browser): Improve browserMetrics collection (#13062)
+
+Work in this release was contributed by @horochx. Thank you for your contribution!
+
+## 8.22.0
+
+### Important Changes
+
+- **feat(cloudflare): Add plugin for cloudflare pages (#13123)**
+
+This release adds support for Cloudflare Pages to `@sentry/cloudflare`, our SDK for the
+[Cloudflare Workers JavaScript Runtime](https://developers.cloudflare.com/workers/)! For details on how to use it,
+please see the [README](./packages/cloudflare/README.md). Any feedback/bug reports are greatly appreciated, please
+[reach out on GitHub](https://github.com/getsentry/sentry-javascript/issues/12620).
+
+```javascript
+// functions/_middleware.js
+import * as Sentry from '@sentry/cloudflare';
+
+export const onRequest = Sentry.sentryPagesPlugin({
+ dsn: __PUBLIC_DSN__,
+ // Set tracesSampleRate to 1.0 to capture 100% of spans for tracing.
+ tracesSampleRate: 1.0,
+});
+```
+
+### Other Changes
+
+- feat(meta-sdks): Remove runtime tags (#13105)
+- feat(nestjs): Automatic instrumentation of nestjs guards (#13129)
+- feat(nestjs): Filter all HttpExceptions (#13120)
+- feat(replay): Capture exception when `internal_sdk_error` client report happens (#13072)
+- fix: Use `globalThis` for code injection (#13132)
+
+## 8.21.0
+
+### Important Changes
+
+- **Alpha release of Official Cloudflare SDK**
+ - feat(cloudflare): Add `withSentry` method (#13025)
+ - feat(cloudflare): Add cloudflare sdk scaffolding (#12953)
+ - feat(cloudflare): Add basic cloudflare package and tests (#12861)
+
+This release contains the alpha version of `@sentry/cloudflare`, our SDK for the
+[Cloudflare Workers JavaScript Runtime](https://developers.cloudflare.com/workers/)! For details on how to use it,
+please see the [README](./packages/cloudflare/README.md). Any feedback/bug reports are greatly appreciated, please
+[reach out on GitHub](https://github.com/getsentry/sentry-javascript/issues/12620).
+
+Please note that only Cloudflare Workers are tested and supported - official Cloudflare Pages support will come in an
+upcoming release.
+
+### Other Changes
+
+- feat(feedback): Make cropped screenshot area draggable (#13071)
+- feat(core): Adapt spans for client-side fetch to streaming responses (#12723)
+- feat(core): Capture # of dropped spans through `beforeSendTransaction` (#13022)
+- feat(deps): bump `@opentelemetry/instrumentation-aws-sdk` from 0.43.0 to 0.43.1 (#13089)
+- feat(deps): bump `@opentelemetry/instrumentation-express` from 0.41.0 to 0.41.1 (#13090)
+- feat(nestjs): Automatic instrumentation of nestjs middleware (#13065)
+- feat(node): Upgrade `import-in-the-middle` to 1.11.0 (#13107)
+- feat(nuxt): Add connected tracing meta tags (#13098)
+- feat(nuxt): Add vue-router instrumentation (#13054)
+- feat(solidstart): Add server action instrumentation helper (#13035)
+- fix(feedback): Ensure pluggable feedback CDN bundle is correctly built (#13081)
+- fix(nextjs): Only delete clientside bundle source maps with `sourcemaps.deleteFilesAfterUpload` (#13102)
+- fix(node): Improve OTEL validation logic (#13079)
+
+## 8.20.0
+
+### Important Changes
+
+- **feat(node): Allow to pass `registerEsmLoaderHooks` to preload (#12998)**
+
+You can write your own custom preload script and configure this in the preload options. `registerEsmLoaderHooks` can be
+passed as an option to `preloadOpenTelemetry`, which allows to exclude/include packages in the preload.
+
+- **fix(node): Do not emit fetch spans when tracing is disabled (#13003)**
+
+Sentry will not emit "fetch" spans if tracing is disabled. This is relevant for user who use their own sampler.
+
+### Other Changes
+
+- feat(feedback): Trigger button aria label configuration (#13008)
+- feat(nestjs): Change nest sdk setup (#12920)
+- feat(node): Extend ESM hooks options for iitm v1.10.0 (#13016)
+- feat(node): Send client reports (#12951)
+- feat(nuxt): Automatically add BrowserTracing (#13005)
+- feat(nuxt): Setup source maps with vite config (#13018)
+- feat(replay): Improve public Replay APIs (#13000)
+
+## 8.19.0
+
+- feat(core): Align Span interface with OTEL (#12898)
+- fix(angular): Remove `afterSendEvent` listener once root injector is destroyed (#12786)
+- fix(browser): Fix bug causing unintentional dropping of transactions (#12933)
+- fix(feedback): Add a missing call of Actor.appendToDom method when DOMContentLoaded event is triggered (#12973)
+- feat(vercel-edge): Add dedupe as default integration (#12957)
+- fix(node): Pass inferred name & attributes to `tracesSampler` (#12945)
+- feat(express): Allow to pass options to `setupExpressErrorHandler` (#12952)
+
+Work in this release was contributed by @jaspreet57 and @arturovt. Thank you for your contribution!
+
+## 8.18.0
+
+### Important Changes
+
+- **ref: Deprecate `enableTracing` (12897)**
+
+The `enableTracing` option has been deprecated and will be removed in the next major version. We recommend removing it
+in favor of the `tracesSampleRate` and `tracesSampler` options. If you want to enable performance monitoring, please set
+the `tracesSampleRate` to a sample rate of your choice, or provide a sampling function as `tracesSampler` option
+instead. If you want to disable performance monitoring, remove the `tracesSampler` and `tracesSampleRate` options.
+
+### Other Changes
+
+- feat(node): Expose `exclude` and `include` options for ESM loader (#12910)
+- feat(browser): Add user agent to INP standalone span attributes (#12896)
+- feat(nextjs): Add `experimental_captureRequestError` for `onRequestError` hook (#12885)
+- feat(replay): Bump `rrweb` to 2.25.0 (#12478)
+- feat(tracing): Add long animation frame tracing (#12646)
+- fix: Cleanup hooks when they are not used anymore (#12852)
+- fix(angular): Guard `ErrorEvent` check in ErrorHandler to avoid throwing in Node environments (#12892)
+- fix(inp): Ensure INP spans have correct transaction (#12871)
+- fix(nestjs): Do not make SentryTraced() decorated functions async (#12879)
+- fix(nextjs): Support automatic instrumentation for app directory with custom page extensions (#12858)
+- fix(node): Ensure correct URL is passed to `ignoreIncomingRequests` callback (#12929)
+- fix(otel): Do not add `otel.kind: INTERNAL` attribute (#12841)
+- fix(solidstart): Set proper sentry origin for solid router integration when used in solidstart sdk (#12919)
+- fix(sveltekit): Add Vite peer dep for proper type resolution (#12926)
+- fix(tracing): Ensure you can pass `null` as `parentSpan` in `startSpan*` (#12928)
+- ref(core): Small bundle size improvement (#12830)
+
+Work in this release was contributed by @GitSquared, @ziyadkhalil and @mcous. Thank you for your contributions!
+
+## 8.17.0
+
+- feat: Upgrade OTEL deps (#12809)
+- fix(nuxt): Add module to build:transpile script (#12843)
+- fix(browser): Allow SDK initialization in NW.js apps (#12846)
+
+## 8.16.0
+
+### Important Changes
+
+- **feat(nextjs): Use spans generated by Next.js for App Router (#12729)**
+
+Previously, the `@sentry/nextjs` SDK automatically recorded spans in the form of transactions for each of your top-level
+server components (pages, layouts, ...). This approach had a few drawbacks, the main ones being that traces didn't have
+a root span, and more importantly, if you had data stream to the client, its duration was not captured because the
+server component spans had finished before the data could finish streaming.
+
+With this release, we will capture the duration of App Router requests in their entirety as a single transaction with
+server component spans being descendants of that transaction. This means you will get more data that is also more
+accurate. Note that this does not apply to the Edge runtime. For the Edge runtime, the SDK will emit transactions as it
+has before.
+
+Generally speaking, this change means that you will see less _transactions_ and more _spans_ in Sentry. You will no
+longer receive server component transactions like `Page Server Component (/path/to/route)` (unless using the Edge
+runtime), and you will instead receive transactions for your App Router SSR requests that look like
+`GET /path/to/route`.
+
+If you are on Sentry SaaS, this may have an effect on your quota consumption: Less transactions, more spans.
+
+- **- feat(nestjs): Add nest cron monitoring support (#12781)**
+
+The `@sentry/nestjs` SDK now includes a `@SentryCron` decorator that can be used to augment the native NestJS `@Cron`
+decorator to send check-ins to Sentry before and after each cron job run:
+
+```typescript
+import { Cron } from '@nestjs/schedule';
+import { SentryCron, MonitorConfig } from '@sentry/nestjs';
+import type { MonitorConfig } from '@sentry/types';
+
+const monitorConfig: MonitorConfig = {
+ schedule: {
+ type: 'crontab',
+ value: '* * * * *',
+ },
+ checkinMargin: 2, // In minutes. Optional.
+ maxRuntime: 10, // In minutes. Optional.
+ timezone: 'America/Los_Angeles', // Optional.
+};
+
+export class MyCronService {
+ @Cron('* * * * *')
+ @SentryCron('my-monitor-slug', monitorConfig)
+ handleCron() {
+ // Your cron job logic here
+ }
+}
+```
+
+### Other Changes
+
+- feat(node): Allow to pass instrumentation config to `httpIntegration` (#12761)
+- feat(nuxt): Add server error hook (#12796)
+- feat(nuxt): Inject sentry config with Nuxt `addPluginTemplate` (#12760)
+- fix: Apply stack frame metadata before event processors (#12799)
+- fix(feedback): Add missing `h` import in `ScreenshotEditor` (#12784)
+- fix(node): Ensure `autoSessionTracking` is enabled by default (#12790)
+- ref(feedback): Let CropCorner inherit the existing h prop (#12814)
+- ref(otel): Ensure we never swallow args for ContextManager (#12798)
+
+## 8.15.0
+
+- feat(core): allow unregistering callback through `on` (#11710)
+- feat(nestjs): Add function-level span decorator to nestjs (#12721)
+- feat(otel): Export & use `spanTimeInputToSeconds` for otel span exporter (#12699)
+- fix(core): Pass origin as referrer for `lazyLoadIntegration` (#12766)
+- fix(deno): Publish from build directory (#12773)
+- fix(hapi): Specify error channel to filter boom errors (#12725)
+- fix(react): Revert back to `jsxRuntime: 'classic'` to prevent breaking react 17 (#12775)
+- fix(tracing): Report dropped spans for transactions (#12751)
+- ref(scope): Delete unused public `getStack()` (#12737)
+
+Work in this release was contributed by @arturovt and @jaulz. Thank you for your contributions!
+
+## 8.14.0
+
+### Important Changes
+
+- **feat(nestjs): Filter 4xx errors (#12695)**
+
+The `@sentry/nestjs` SDK no longer captures 4xx errors automatically.
+
+### Other Changes
+
+- chore(react): Remove private namespace `JSX` (#12691)
+- feat(deps): bump @opentelemetry/propagator-aws-xray from 1.25.0 to 1.25.1 (#12719)
+- feat(deps): bump @prisma/instrumentation from 5.16.0 to 5.16.1 (#12718)
+- feat(node): Add `registerEsmLoaderHooks` option (#12684)
+- feat(opentelemetry): Expose sampling helper (#12674)
+- fix(browser): Make sure measure spans have valid start timestamps (#12648)
+- fix(hapi): Widen type definitions (#12710)
+- fix(nextjs): Attempt to ignore critical dependency warnings (#12694)
+- fix(react): Fix React jsx runtime import for esm (#12740)
+- fix(replay): Start replay in `afterAllSetup` instead of next tick (#12709)
+
+Work in this release was contributed by @quisido. Thank you for your contribution!
+
+## 8.13.0
+
+### Important Changes
+
+- **feat(nestjs): Add Nest SDK** This release adds a dedicated SDK for [NestJS](https://nestjs.com/) (`@sentry/nestjs`)
+ in alpha state. The SDK is a drop-in replacement for the Sentry Node SDK (`@sentry/node`) supporting the same set of
+ features. See the [docs](https://docs.sentry.io/platforms/javascript/guides/nestjs/) for how to use the SDK.
+
+### Other Changes
+
+- deps: Bump bundler plugins to `2.20.1` (#12641)
+- deps(nextjs): Remove react peer dep and allow rc (#12670)
+- feat: Update OTEL deps (#12635)
+- feat(deps): bump @prisma/instrumentation from 5.15.0 to 5.15.1 (#12627)
+- feat(node): Add context info for missing instrumentation (#12639)
+- fix(feedback): Improve feedback error message (#12647)
+
+## 8.12.0
+
+### Important Changes
+
+- **feat(solid): Remove need to pass router hooks to solid integration** (breaking)
+
+This release introduces breaking changes to the `@sentry/solid` package (which is currently out in alpha).
+
+We've made it easier to get started with the solid router integration by removing the need to pass **use\*** hooks
+explicitly to `solidRouterBrowserTracingIntegration`. Import `solidRouterBrowserTracingIntegration` from
+`@sentry/solid/solidrouter` and add it to `Sentry.init`
+
+```js
+import * as Sentry from '@sentry/solid';
+import { solidRouterBrowserTracingIntegration, withSentryRouterRouting } from '@sentry/solid/solidrouter';
+import { Router } from '@solidjs/router';
+
+Sentry.init({
+ dsn: '__PUBLIC_DSN__',
+ integrations: [solidRouterBrowserTracingIntegration()],
+ tracesSampleRate: 1.0, // Capture 100% of the transactions
+});
+
+const SentryRouter = withSentryRouterRouting(Router);
+```
+
+- **feat(core): Return client from init method (#12585)**
+
+`Sentry.init()` now returns a client directly, so you don't need to explicitly call `getClient()` anymore:
+
+```js
+const client = Sentry.init();
+```
+
+- **feat(nextjs): Add `deleteSourcemapsAfterUpload` option (#12457)**
+
+This adds an easy way to delete sourcemaps immediately after uploading them:
+
+```js
+module.exports = withSentryConfig(nextConfig, {
+ sourcemaps: {
+ deleteSourcemapsAfterUpload: true,
+ },
+});
+```
+
+- **feat(node): Allow to configure `maxSpanWaitDuration` (#12610)**
+
+Adds configuration option for the max. duration in seconds that the SDK will wait for parent spans to be finished before
+discarding a span. The SDK will automatically clean up spans that have no finished parent after this duration. This is
+necessary to prevent memory leaks in case of parent spans that are never finished or otherwise dropped/missing. However,
+if you have very long-running spans in your application, a shorter duration might cause spans to be discarded too early.
+In this case, you can increase this duration to a value that fits your expected data.
+
+### Other Changes
+
+- feat(feedback): Extra check for iPad in screenshot support (#12593)
+- fix(bundle): Ensure CDN bundles do not overwrite `window.Sentry` (#12580)
+- fix(feedback): Inject preact from feedbackModal into feedbackScreenshot integration (#12535)
+- fix(node): Re-throw errors from koa middleware (#12609)
+- fix(remix): Mark `isRemixV2` as optional in exposed types. (#12614)
+- ref(node): Add error message to NodeFetch log (#12612)
+
+Work in this release was contributed by @n4bb12. Thank you for your contribution!
+
+## 8.11.0
+
+### Important Changes
+
+- **feat(core): Add `parentSpan` option to `startSpan*` APIs (#12567)**
+
+We've made it easier to create a span as a child of a specific span via the startSpan\* APIs. This should allow you to
+explicitly manage the parent-child relationship of your spans better.
+
+```js
+Sentry.startSpan({ name: 'root' }, parent => {
+ const span = Sentry.startInactiveSpan({ name: 'xxx', parentSpan: parent });
+
+ Sentry.startSpan({ name: 'xxx', parentSpan: parent }, () => {});
+
+ Sentry.startSpanManual({ name: 'xxx', parentSpan: parent }, () => {});
+});
+```
+
+### Other Changes
+
+- feat(node): Detect release from more providers (#12529)
+- fix(profiling-node): Use correct getGlobalScope import (#12564)
+- fix(profiling-node) sample timestamps need to be in seconds (#12563)
+- ref: Align `@sentry/node` exports from framework SDKs. (#12589)
+
+## 8.10.0
+
+### Important Changes
+
+- **feat(remix): Migrate to `opentelemetry-instrumentation-remix`. (#12110)**
+
+You can now simplify your remix instrumentation by opting-in like this:
+
+```js
+const Sentry = require('@sentry/remix');
+
+Sentry.init({
+ dsn: YOUR_DSN
+ // opt-in to new auto instrumentation
+ autoInstrumentRemix: true,
+});
+```
+
+With this setup, you do not need to add e.g. `wrapExpressCreateRequestHandler` anymore. Additionally, the quality of the
+captured data improves. The old way to use `@sentry/remix` continues to work, but it is encouraged to use the new setup.
+
+### Other Changes
+
+- feat(browser): Export `thirdPartyErrorFilterIntegration` from `@sentry/browser` (#12512)
+- feat(feedback): Allow passing `tags` field to any feedback config param (#12197)
+- feat(feedback): Improve screenshot quality for retina displays (#12487)
+- feat(feedback): Screenshots don't resize after cropping (#12481)
+- feat(node) add max lineno and colno limits (#12514)
+- feat(profiling) add global profile context while profiler is running (#12394)
+- feat(react): Add React version to events (#12390)
+- feat(replay): Add url to replay hydration error breadcrumb type (#12521)
+- fix(core): Ensure standalone spans respect sampled flag (#12533)
+- fix(core): Use maxValueLength in extra error data integration (#12174)
+- fix(feedback): Fix scrolling after feedback submission (#12499)
+- fix(feedback): Send feedback rejects invalid responses (#12518)
+- fix(nextjs): Update @rollup/plugin-commonjs (#12527)
+- fix(node): Ensure status is correct for http server span errors (#12477)
+- fix(node): Unify`getDynamicSamplingContextFromSpan` (#12522)
+- fix(profiling): continuous profile chunks should be in seconds (#12532)
+- fix(remix): Add nativeFetch support for accessing request headers (#12479)
+- fix(remix): Export no-op as `captureRemixServerException` from client SDK (#12497)
+- ref(node) refactor contextlines to use readline (#12221)
+
+Work in this release was contributed by @AndreyKovanov and @kiliman. Thank you for your contributions!
+
+## 8.9.2
+
+- fix(profiling): Update exports so types generate properly (#12469)
+
+## 8.9.1
+
+### Important changes
+
+- **feat(solid): Add Solid SDK**
+
+ This release adds a dedicated SDK for [Solid JS](https://www.solidjs.com/) in alpha state with instrumentation for
+ [Solid Router](https://docs.solidjs.com/solid-router) and a custom `ErrorBoundary`. See the
+ [package README](https://github.com/getsentry/sentry-javascript/blob/develop/packages/solid/README.md) for how to use
+ the SDK.
+
+### Other changes
+
+- feat(deps): bump @opentelemetry/instrumentation-express from 0.40.0 to 0.40.1 (#12438)
+- feat(deps): bump @opentelemetry/instrumentation-mongodb from 0.44.0 to 0.45.0 (#12439)
+- feat(deps): bump @opentelemetry/propagator-aws-xray from 1.24.1 to 1.25.0 (#12437)
+- feat(nextjs): Allow for suppressing warning about missing global error handler file (#12369)
+- feat(redis): Add cache logic for redis-4 (#12429)
+- feat(replay): Replay Web Vital Breadcrumbs (#12296)
+- fix: Fix types export order (#12404)
+- fix(astro): Ensure server-side exports work correctly (#12453)
+- fix(aws-serverless): Add `op` to Otel-generated lambda function root span (#12430)
+- fix(aws-serverless): Only auto-patch handler in CJS when loading `awslambda-auto` (#12392)
+- fix(aws-serverless): Only start root span in Sentry wrapper if Otel didn't wrap handler (#12407)
+- fix(browser): Fix INP span creation & transaction tagging (#12372)
+- fix(nextjs): correct types conditional export ordering (#12355)
+- fix(replay): Fix guard for exception event (#12441)
+- fix(vue): Handle span name assignment for nested routes in VueRouter (#12398)
+
+Work in this release was contributed by @soch4n. Thank you for your contribution!
+
+## 8.9.0
+
+This release failed to publish correctly, please use `8.9.1` instead.
+
+## 8.8.0
+
+- **feat: Upgrade OTEL dependencies (#12388)**
+
+This upgrades the OpenTelemetry dependencies to the latest versions and makes OTEL use `import-in-the-middle` `v1.8.0`.
+This should fix numerous issues with using OTEL instrumentation with ESM.
+
+High level issues fixed with OTEL + ESM:
+
+- incompatibilities with using multiple loaders, commonly encountered while using `tsx` or similar libraries.
+- incompatibilities with libraries that use duplicate namespace exports like `date-fns`.
+- incompatibilities with libraries that use self-referencing namespace imports like `openai`.
+- incompatibilities with dynamic export patterns like exports with function calls.
+- `ENOENT: no such file or directory` bugs that libraries like [`discord.js`](https://github.com/discordjs/discord.js)
+ surface.
+
+If you are still encountering issues with OpenTelemetry instrumentation and ESM, please let us know.
+
+- deps: Bump Sentry bundler plugins to version `2.18.0` (#12381)
+- feat: Add `thirdPartyErrorFilterIntegration` (#12267)
+- feat(core): Filter out error events with exception values and no stacktraces, values, or types (#12387)
+- feat(core): Ignore additional common but inactionable errors (#12384)
+- feat(deps): Bump @opentelemetry/propagator-aws-xray from 1.3.1 to 1.24.1 (#12333)
+- feat(deps): Bump @sentry/cli from 2.31.2 to 2.32.1 (#12332)
+- feat(redis): Support `mget` command in caching functionality (#12380)
+- feat(vercel-edge): Export core integrations from Vercel edge SDK (#12308)
+- fix(browser): Fix idle span ending (#12306)
+- fix(browser): Fix parenthesis parsing logic for chromium (#12373)
+- fix(browser): Fix types export path for CJS (#12305)
+- fix(feedback): Override TriggerLabel Option (#12316)
+- fix(feedback): Wait for document to be ready before doing autoinject (#12294)
+- fix(nextjs): Fix memory leak (#12335)
+- fix(nextjs): Fix version detection and option insertion logic for `clientTraceMetadata` option (#12323)
+- fix(nextjs): Update argument name in log message about `sentry` property on Next.js config object (#12366)
+- fix(node): Do not manually finish / update root Hapi spans. (#12287)
+- fix(node): Fix virtual parent span ID handling & update create-next-app E2E test (#12368)
+- fix(node): Skip capturing Hapi Boom responses v8. (#12288)
+- fix(performance): Fix LCP not getting picked up on initial pageload transaction by setting reportAllChanges to true
+ (#12360)
+- fix(replay): Avoid infinite loop of logs (#12309)
+- fix(replay): Ignore old events when manually starting replay (#12349)
+- ref(browser): Ensure idle span ending is consistent (#12310)
+- ref(profiling): unref timer (#12340)
+
+Work in this release contributed by @dohooo, @mohd-akram, and @ykzts. Thank you for your contributions!
+
+## 8.7.0
+
+### Important Changes
+
+- **feat(react): Add TanStack Router integration (#12095)**
+
+ This release adds instrumentation for TanStack router with a new `tanstackRouterBrowserTracingIntegration` in the
+ `@sentry/react` SDK:
+
+ ```javascript
+ import * as Sentry from '@sentry/react';
+ import { createRouter } from '@tanstack/react-router';
+
+ const router = createRouter({
+ // Your router options...
+ });
+
+ Sentry.init({
+ dsn: '___PUBLIC_DSN___',
+ integrations: [Sentry.tanstackRouterBrowserTracingIntegration(router)],
+ tracesSampleRate: 1.0,
+ });
+ ```
+
+### Other Changes
+
+- fix(nextjs): Do not hide `sourceMappingURL` comment on client when `nextConfig.productionBrowserSourceMaps: true` is
+ set (#12278)
+
+## 8.6.0
+
+### Important Changes
+
+- **feat(metrics): Add `timings` method to metrics (#12226)**
+
+ This introduces a new method, `metrics.timing()`, which can be used in two ways:
+
+ 1. With a numeric value, to simplify creating a distribution metric. This will default to `second` as unit:
+
+ ```js
+ Sentry.metrics.timing('myMetric', 100);
+ ```
+
+ 2. With a callback, which will wrap the duration of the callback. This can accept a sync or async callback. It will
+ create an inactive span around the callback and at the end emit a metric with the duration of the span in seconds:
+
+ ```js
+ const returnValue = Sentry.metrics.timing('myMetric', measureThisFunction);
+ ```
+
+- **feat(react): Add `Sentry.reactErrorHandler` (#12147)**
+
+ This PR introduces `Sentry.reactErrorHandler`, which you can use in React 19 as follows:
+
+ ```js
+ import * as Sentry from '@sentry/react';
+ import { hydrateRoot } from 'react-dom/client';
+
+ ReactDOM.hydrateRoot(
+ document.getElementById('root'),
+
+
+ ,
+ {
+ onUncaughtError: Sentry.reactErrorHandler(),
+ onCaughtError: Sentry.reactErrorHandler((error, errorInfo) => {
+ // optional callback if users want custom config.
+ }),
+ },
+ );
+ ```
+
+ For more details, take a look at [the PR](https://github.com/getsentry/sentry-javascript/pull/12147). Our
+ documentation will be updated soon!
+
+### Other Changes
+
+- feat(sveltekit): Add request data to server-side events (#12254)
+- fix(core): Pass in cron monitor config correctly (#12248)
+- fix(nextjs): Don't capture suspense errors in server components (#12261)
+- fix(tracing): Ensure sent spans are limited to 1000 (#12252)
+- ref(core): Use versioned carrier on global object (#12206)
+
+## 8.5.0
+
+### Important Changes
+
+- **feat(react): Add React 19 to peer deps (#12207)**
+
+This release adds support for React 19 in the `@sentry/react` SDK package.
+
+- **feat(node): Add `@sentry/node/preload` hook (#12213)**
+
+This release adds a new way to initialize `@sentry/node`, which allows you to use the SDK with performance
+instrumentation even if you cannot call `Sentry.init()` at the very start of your app.
+
+First, run the SDK like this:
+
+```bash
+node --require @sentry/node/preload ./app.js
+```
+
+Now, you can initialize and import the rest of the SDK later or asynchronously:
+
+```js
+const express = require('express');
+const Sentry = require('@sentry/node');
+
+const dsn = await getSentryDsn();
+Sentry.init({ dsn });
+```
+
+For more details, head over to the
+[PR Description of the new feature](https://github.com/getsentry/sentry-javascript/pull/12213). Our docs will be updated
+soon with a new guide.
+
+### Other Changes
+
+- feat(browser): Do not include metrics in base CDN bundle (#12230)
+- feat(core): Add `startNewTrace` API (#12138)
+- feat(core): Allow to pass custom scope to `captureFeedback()` (#12216)
+- feat(core): Only allow `SerializedSession` in session envelope items (#11979)
+- feat(nextjs): Use Vercel's `waitUntil` to defer freezing of Vercel Lambdas (#12133)
+- feat(node): Ensure manual OTEL setup works (#12214)
+- fix(aws-serverless): Avoid minifying `Module._resolveFilename` in Lambda layer bundle (#12232)
+- fix(aws-serverless): Ensure lambda layer uses default export from `ImportInTheMiddle` (#12233)
+- fix(browser): Improve browser extension error message check (#12146)
+- fix(browser): Remove optional chaining in INP code (#12196)
+- fix(nextjs): Don't report React postpone errors (#12194)
+- fix(nextjs): Use global scope for generic event filters (#12205)
+- fix(node): Add origin to redis span (#12201)
+- fix(node): Change import of `@prisma/instrumentation` to use default import (#12185)
+- fix(node): Only import `inspector` asynchronously (#12231)
+- fix(replay): Update matcher for hydration error detection to new React docs (#12209)
+- ref(profiling-node): Add warning when using non-LTS node (#12211)
+
+## 8.4.0
+
+### Important Changes
+
+- **feat(nextjs): Trace pageloads in App Router (#12157)**
+
+If you are using Next.js version `14.3.0-canary.64` or above, the Sentry Next.js SDK will now trace clientside pageloads
+with React Server Components. This means, that client-side errors like
+`Error: An error occurred in the Server Components render.`, which previously didn't give you much information on how
+that error was caused, can now be traced back to a specific error in a server component.
+
+- **feat(angular): Add Support for Angular 18 (#12183)**
+
+This release guarantees support for Angular 18 with `@sentry/angular`.
+
+### Other Changes
+
+- feat(deps): Bump @opentelemetry/instrumentation-aws-lambda from 0.41.0 to 0.41.1 (#12078)
+- fix(metrics): Ensure string values are interpreted for metrics (#12165)
+
+## 8.3.0
+
+### Important Changes
+
+- **Better Node Framework Span Data**
+
+This release improves data quality of spans emitted by Express, Fastify, Connect, Koa, Nest.js and Hapi.
+
+- feat(node): Ensure connect spans have better data (#12130)
+- feat(node): Ensure express spans have better data (#12107)
+- feat(node): Ensure fastify spans have better data (#12106)
+- feat(node): Ensure hapi spans have better data (#12140)
+- feat(node): Ensure koa spans have better data (#12108)
+- feat(node): Ensure Nest.js spans have better data (#12139)
+- feat(deps): Bump @opentelemetry/instrumentation-express from 0.38.0 to 0.39.0 (#12079)
+
+- **feat(node): No-code init via `--import=@sentry/node/init` (#11999)**
+
+When using Sentry in ESM mode, you can now use Sentry without manually calling init like this:
+
+```bash
+ SENTRY_DSN=https://examplePublicKey@o0.ingest.sentry.io/0 node --import=@sentry/node/init app.mjs
+```
+
+When using CommonJS, you can do:
+
+```bash
+ SENTRY_DSN=https://examplePublicKey@o0.ingest.sentry.io/0 node --require=@sentry/node/init app.js
+```
+
+### Other Changes
+
+- chore: Align and update MIT license dates (#12143)
+- chore: Resolve or postpone a random assortment of TODOs (#11977)
+- doc(migration): Add entry for runWithAsyncContext (#12153)
+- docs: Add migration docs to point out that default import does not work (#12100)
+- docs(sveltekit): process.env.SENTRY_AUTH_TOKEN (#12118)
+- feat(browser): Ensure `browserProfilingIntegration` is published to CDN (#12158)
+- feat(google-cloud): Expose ESM build (#12149)
+- feat(nextjs): Ignore Prisma critical dependency warnings (#12144)
+- feat(node): Add app.free_memory info to events (#12150)
+- feat(node): Do not create GraphQL resolver spans by default (#12097)
+- feat(node): Use `node:` prefix for node built-ins (#11895)
+- feat(replay): Use unwrapped `setTimeout` to avoid e.g. angular change detection (#11924)
+- fix(core): Add dsn to span envelope header (#12096)
+- fix(feedback): Improve feedback border color in dark-mode, and prevent auto-dark mode when a theme is picked (#12126)
+- fix(feedback): Set optionOverrides to be optional in TS definition (#12125)
+- fix(nextjs): Don't put `undefined` values in props (#12131)
+- fix(nextjs): Fix legacy configuration method detection for emitting warning (#12136)
+- fix(node): Ensure fetch/http breadcrumbs are created correctly (#12137)
+- fix(node): Update `@prisma/instrumentation` from 5.13.0 to 5.14.0 (#12081)
+- ref(node): Add log for running in ESM/CommonJS mode (#12134)
+- ref(node): Handle failing hook registration gracefully (#12135)
+- ref(node): Only show instrumentation warning when tracing is enabled (#12141)
+
+Work in this release contributed by @pboling. Thank you for your contribution!
+
+## 8.2.1
+
+- fix(aws-serverless): Fix build of lambda layer (#12083)
+- fix(nestjs): Broaden nest.js type (#12076)
+
+## 8.2.0
+
+- feat(redis-cache): Create cache-span with prefixed keys (get/set commands) (#12070)
+- feat(core): Add `beforeSendSpan` hook (#11886)
+- feat(browser): Improve idle span handling (#12065)
+- fix(node): Set transactionName for unsampled spans in httpIntegration (#12071)
+- fix(core): Export Scope interface as `Scope` (#12067)
+- fix(core): Avoid looking up client for `hasTracingEnabled()` if possible (#12066)
+- fix(browser): Use consistent timestamps (#12063)
+- fix(node): Fix check for performance integrations (#12043)
+- ref(sveltekit): Warn to delete source maps if Sentry plugin enabled source maps generation (#12072)
+
+## 8.1.0
+
+This release mainly fixes a couple of bugs from the initial [8.0.0 release](#800). In addition to the changes below, we
+updated some initially missed points in our migration guides and documentation.
+
+- feat(aws-serverless): Fix tree-shaking for aws-serverless package (#12017)
+- feat(node): Bump opentelemetry instrumentation to latest version (#12028)
+- feat(scope): Bring back `lastEventId` on isolation scope (#11951) (#12022)
+- fix(aws-serverless): Export `awslambda-auto`
+- fix(node): Do not warn for missing instrumentation if SDK is disabled (#12041)
+- fix(react): Set dependency-injected functions as early as possible (#12019)
+- fix(react): Warn and fall back gracefully if dependency injected functions are not available (#12026)
+- ref(core): Streamline `parseSampleRate` utility function (#12024)
+- ref(feedback): Make `eventId` optional and use `lastEventId` in report dialog (#12029)
+
+## 8.0.0
+
+The Sentry JS SDK team is proud to announce the release of version `8.0.0` of Sentry's JavaScript SDKs - it's been a
+long time coming! Thanks to everyone for your patience and a special shout out to the brave souls testing preview builds
+and reporting issues - we appreciate your support!
+
+---
+
+### How to Upgrade to Version 8:
+
+We recommend reading the
+[migration guide docs](https://docs.sentry.io/platforms/javascript/migration/v7-to-v8/#migration-codemod) to find out
+how to address any breaking changes in your code for your specific platform or framework.
+
+To automate upgrading to v8 as much as possible, use our migration codemod `@sentry/migr8`:
+
+```sh
+npx @sentry/migr8@latest
+```
+
+All deprecations from the v7 cycle, with the exception of `getCurrentHub()`, have been removed and can no longer be used
+in v8. If you have an advanced Sentry SDK setup, we additionally recommend reading the
+[in-depth migration guide](./MIGRATION.md) in our repo which highlights all changes with additional details and
+information.
+
+The rest of this changelog highlights the most important (breaking) changes and links to more detailed information.
+
+### Version Support
+
+With v8, we dropped support for several old runtimes and browsers
+
+**Node SDKs:** The Sentry JavaScript SDK v8 now supports **Node.js 14.8.0 or higher**. This applies to `@sentry/node`
+and all of our node-based server-side sdks (`@sentry/nextjs`, `@sentry/remix`, etc.). Furthermore, version 8 now ships
+with full support for ESM-based node apps using **Node.js 18.19.0 or higher**.
+
+**Browser SDKs:** The browser SDKs now require
+[**ES2018+**](https://caniuse.com/?feats=mdn-javascript_builtins_regexp_dotall,js-regexp-lookbehind,mdn-javascript_builtins_regexp_named_capture_groups,mdn-javascript_builtins_regexp_property_escapes,mdn-javascript_builtins_symbol_asynciterator,mdn-javascript_functions_method_definitions_async_generator_methods,mdn-javascript_grammar_template_literals_template_literal_revision,mdn-javascript_operators_destructuring_rest_in_objects,mdn-javascript_operators_destructuring_rest_in_arrays,promise-finally)
+compatible browsers. New minimum browser versions:
+
+- Chrome 71
+- Edge 79
+- Safari 12.1, iOS Safari 12.2
+- Firefox 65
+- Opera 58
+- Samsung Internet 10
+
+For more details, please see the
+[version support section in our migration guide](./MIGRATION.md#1-version-support-changes).
+
+### Initializing Server-side SDKs (Node, Bun, Deno, Serverless):
+
+In v8, we support a lot more node-based packages than before. In order to ensure auto-instrumentation works, the SDK now
+needs to be imported and initialized before any other import in your code.
+
+We recommend creating a new file (e.g. `instrumentation.js`) to import and initialize the SDK. Then, import the file on
+top of your entry file or detailed instructions, check our updated SDK setup docs
+[initializing the SDK in v8](https://docs.sentry.io/platforms/javascript/guides/node/).
+
+### Performance Monitoring Changes
+
+The API around performance monitoring and tracing has been streamlined, and we've added support for more integrations
+out of the box.
+
+- [Performance Monitoring API](./MIGRATION.md#performance-monitoring-api)
+- [Performance Monitoring Integrations](./MIGRATION.md#performance-monitoring-integrations)
+
+### Functional Integrations
+
+Integrations are now simple functions instead of classes. Class-based integrations
+[have been removed](./MIGRATION.md#removal-of-class-based-integrations):
+
+```javascript
+// old (v7)
+Sentry.init({
+ integrations: [new Sentry.BrowserTracing()],
+});
+
+// new (v8)
+Sentry.init({
+ integrations: [Sentry.browserTracingIntegration()],
+});
+```
+
+### Package removal
+
+The following packages have been removed or replaced and will no longer be published:
+
+- [`@sentry/hub`](./MIGRATION.md#sentryhub)
+- [`@sentry/tracing`](./MIGRATION.md#sentrytracing)
+- [`@sentry/integrations`](./MIGRATION.md#sentryintegrations)
+- [`@sentry/serverless`](./MIGRATION.md#sentryserverless)
+- [`@sentry/replay`](./MIGRATION.md#sentryreplay)
+
+### Changes since `8.0.0-rc.3`
+
+- **feat(nextjs): Remove `transpileClientSDK` (#11978)**
+
+ As we are dropping support for Internet Explorer 11 and other other older browser versions wih version `8.0.0`, we are
+ also removing the `transpileClientSDK` option from the Next.js SDK. If you need to support these browser versions,
+ please configure Webpack and Next.js to down-compile the SDK.
+
+- **feat(serverless): Do not include performance integrations by default (#11998)**
+
+ To keep Lambda bundle size reasonable, the SDK no longer ships with all performance (database) integrations by
+ default. Add the Sentry integrations of the databases and other tools you're using manually to your `Sentry.init` call
+ by following
+ [this guide](https://docs.sentry.io/platforms/javascript/configuration/integrations/#modifying-default-integrations).
+ Note that this change does not apply if you use the SDK with the Sentry AWS Lambda layer.
+
+- feat(feedback): Simplify public css configuration for feedback (#11985)
+- fix(feedback): Check for empty user (#11993)
+- fix(replay): Fix type for `replayCanvasIntegration` (#11995)
+- fix(replay): Fix user activity not being updated in `start()` (#12001)
+
+## 8.0.0-rc.3
+
+### Important Changes
+
+- **feat(bun): Add Bun Global Unhandled Handlers (#11960)**
+
+The Bun SDK will now capture global unhandled errors.
+
+### Other Changes
+
+- feat(node): Log process and thread info on initialisation (#11972)
+- fix(aws-serverless): Include ESM artifacts in package (#11973)
+- fix(browser): Only start `http.client` spans if there is an active parent span (#11974)
+- fix(feedback): Improve CSS theme variable names and layout (#11964)
+- fix(node): Ensure `execArgv` are not sent to worker threads (#11963)
+- ref(feedback): Simplify feedback function params (#11957)
+
+## 8.0.0-rc.2
+
+### Important Changes
+
+- **feat(node): Register ESM patching hooks in init for supported Node.js versions**
+
+This release includes adds support for ESM when `Sentry.init()` is called within a module imported via the `--import`
+Node.js flag:
+
+```sh
+node --import ./your-file-with-sentry-init.mjs your-app.mjs
+```
+
+Note that the SDK only supports ESM for node versions `18.19.0` and above, and `20.6.0` above.
+
+### Other Changes
+
+- deps(node): Bump `@opentelemetry/core` to `1.24.1` and `@opentelemetry/instrumentation` to `0.51.1` (#11941)
+- feat(connect): Warn if connect is not instrumented (#11936)
+- feat(express): Warn if express is not instrumented (#11930)
+- feat(fastify): Warn if fastify is not instrumented (#11917)
+- feat(hapi): Warn if hapi is not instrumented (#11937)
+- feat(koa): Warn if koa is not instrumented (#11931)
+- fix(browser): Continuously record CLS web vital (#11934)
+- fix(feedback): Pick user from any scope (#11928)
+- fix(node): Fix cron instrumentation and add tests (#11811)
+
+## 8.0.0-rc.1
+
+This release contains no changes and was done for technical purposes. This version is considered stable.
+
+For the sake of completeness this changelog entry includes the changes from the previous release candidate:
+
+We recommend to read the detailed [migration guide](https://docs.sentry.io/platforms/javascript/migration/v7-to-v8/) in
+the docs.
+
+### Important Changes
+
+- **feat(node): Support hapi v21 & fix E2E test (#11906)**
+
+We now support hapi v21 and added tests for it.
+
+- **feat(node): Warn if ESM mode is detected (#11914)**
+
+When running Sentry in ESM mode, we will now warn you that this is not supported as of now. We are working on ensuring
+support with ESM builds.
+
+### Other Changes
+
+- feat(feedback): Iterate on css for better scrolling & resizing when browser is small (#11893)
+- fix(node): Ensure prisma integration creates valid DB spans (#11908)
+- fix(node): Include loader hook files in package.json (#11911)
+
+## 8.0.0-rc.0
+
+This is the first release candidate of Sentry JavaScript SDK v8.
+
+We recommend to read the detailed [migration guide](https://docs.sentry.io/platforms/javascript/migration/v7-to-v8/) in
+the docs.
+
+### Important Changes
+
+- **feat(node): Support hapi v21 & fix E2E test (#11906)**
+
+We now support hapi v21 and added tests for it.
+
+- **feat(node): Warn if ESM mode is detected (#11914)**
+
+When running Sentry in ESM mode, we will now warn you that this is not supported as of now. We are working on ensuring
+support with ESM builds.
+
+### Other Changes
+
+- feat(feedback): Iterate on css for better scrolling & resizing when browser is small (#11893)
+- fix(node): Ensure prisma integration creates valid DB spans (#11908)
+- fix(node): Include loader hook files in package.json (#11911)
+
+## 8.0.0-beta.6
+
+This beta release contains various bugfixes and improvements for the v8 beta cycle.
+
+- feat: Add `tunnel` support to multiplexed transport (#11806)
+- feat: Export `spanToBaggageHeader` utility (#11881)
+- feat(browser): Disable standalone `http.client` spans (#11879)
+- feat(ember): Update ember dependencies (#11753)
+- feat(fedback): Convert CDN bundles to use async feedback for lower bundle sizes (#11791)
+- feat(feedback): Add `captureFeedback` method (#11428)
+- feat(feedback): Have screenshot by default (#11839)
+- feat(integrations): Add zod integration (#11144)
+- feat(ioredis): Add integration for `ioredis` (#11856)
+- feat(nextjs): Add transaction name to scope of server component (#11850)
+- feat(nextjs): Be smarter in warning about old ways of init configuration (#11882)
+- feat(nextjs): Set transaction names on scope for route handlers and generation functions (#11869)
+- feat(node): Support Node 22 (#11871)
+- fix(angular): Run tracing calls outside Angular (#11748)
+- fix(feedback): Be consistent about whether screenshot should and can render (#11859)
+- fix(nestjs): Ensure Nest.js interceptor works with non-http context (#11880)
+- fix(node): Fix nest.js error handler (#11874)
+- fix(react): Fix react router v4/v5 instrumentation (#11855)
+- ref: Add geo location types (#11847)
+
+## 8.0.0-beta.5
+
+This beta release contains various bugfixes and improvements for the v8 beta cycle.
+
+### Important Changes
+
+- **feat(svelte): Add Svelte 5 support (#11807)**
+
+We now officially support Svelte 5.
+
+- **feat(browser): Send standalone fetch and XHR spans if there's no active parent span (#11783)**
+
+Starting with this version, spans for outgoing fetch/xhr requests will be captured even if no pageload/navigation span
+is ongoing. This means that you will be able to have a more complete trace, especially for web applications that make a
+lot of HTTP requests on longer lived pages.
+
+### Other Changes
+
+- feat(astro): Add `transactionName` to isolation scope for requests (#11786)
+- feat(browser): Create standalone INP spans via `startInactiveSpan` (#11788)
+- feat(core): Add `trace` envelope header to span envelope (#11699)
+- feat(core): Add options to start standalone (segment) spans via `start*Span` APIs (#11696)
+- feat(core): Set default scope for BaseClient methods (#11775)
+- feat(core): Wrap cron `withMonitor` callback in `withIsolationScope` (#11797)
+- feat(feedback): New feedback button design (#11641)
+- feat(nextjs): Add `transactionName` to isolation scope for Next.js server side features (#11782)
+- feat(nextjs): Mute webpack warnings about critical dependencies inside `@opentelemetry/instrumentation` (#11810)
+- feat(node): Upgrade @prisma/instrumentation to 5.13.0 (#11779)
+- feat(react): type error as unknown in ErrorBoundary (#11819)
+- feat(remix): Add `wrapHandleErrorWithSentry` (#10370)
+- feat(remix): Set `formData` as `action` span data. (#10836)
+- feat(remix): Update scope `transactionName` for Remix server features (#11784)
+- fix(angular): Call `showReportDialog` in root context (#11703)
+- fix(core): Capture only failed console.assert calls (#11799)
+- fix(ember): Ensure unnecessary spans are avoided (#11846)
+- fix(feedback): Clarify the difference between createWidget and create Form in the feedback public api (#11838)
+- fix(feedback): Fix feedback type (#11787)
+- fix(feedback): Vendor preact into bundle (#11845)
+- fix(remix): Rethrow `loader`, `action` and `documentRequest` errors (#11793)
+- ref: Always return an immediately generated event ID from `captureException()`, `captureMessage()`, and
+ `captureEvent()` (#11805)
+- ref(core): Remove transaction name extraction from `requestDataIntegration` (#11513)
+- ref(svelte): Use `onlyIfParent` for recording component update spans (#11809)
+
+## 8.0.0-beta.4
+
+### Important Changes
+
+- **feat(browser): Add INP support for v8 (#11650)**
+
+INP web vital support was now forward-ported to version 8. Recording of INP data is enabled by default.
+
+- **feat(core): Increase default transport buffer size from 30 to 64 (#11764)**
+
+The default limit of queued events to be sent was increased from 30 to 64 events. You may observe a higher memory
+footprint of the SDK. You can override this limit by setting the `transportOptions.bufferSize` option in
+`Sentry.init()`.
+
+- **feat(replay): Add "maxCanvasSize" option for replay canvases (#11617)**
+
+A `maxCanvasSize` option was added to the `replayCanvasIntegration` to disallow capturing of canvases larger than a
+certain size. This value defaults to `1280` which will not capture canvases bigger than 1280x1280 pixels.
+
+### Other Changes
+
+- deps: Downgrade `@opentelemetry/instrumentation-http` to `0.48.0` (#11745)
+- deps(nextjs): Remove unnecessary and faulty `@opentelemetry/api` dependency from Next.js package (#11717)
+- feat(aws): Add OTEL based integrations (#11548)
+- feat(core): Ensure trace context only includes relevant data (#11713)
+- feat(deps): Bump @opentelemetry/instrumentation-fastify from 0.33.0 to 0.35.0 (#11690)
+- feat(deps): Bump @opentelemetry/instrumentation-graphql from 0.37.0 to 0.39.0 (#11692)
+- feat(deps): Bump @opentelemetry/instrumentation-http from 0.48.0 to 0.50.0 (#11725)
+- feat(deps): Bump @opentelemetry/instrumentation-mongoose from 0.35.0 to 0.37.0 (#11693)
+- feat(deps): Bump @opentelemetry/instrumentation-mysql2 from 0.35.0 to 0.37.0 (#11726)
+- feat(deps): Bump @opentelemetry/instrumentation-nestjs-core from 0.34.0 to 0.36.0 (#11727)
+- feat(deps): Bump @opentelemetry/sdk-metrics from 1.21.0 to 1.23.0 (#11695)
+- feat(deps): Bump @prisma/instrumentation from 5.9.0 to 5.12.1 (#11724)
+- feat(feedback): Create async bundles and code to resolve helper integrations (#11621)
+- feat(nextjs): Sample out low-quality spans on older Next.js versions (#11722)
+- feat(opentelemetry): Support new http method attribute (#11756)
+- feat(opentelemetry): Use rest args for addOpenTelemetryInstrumentation (#11721)
+- feat(replay): Upgrade rrweb packages to 2.15.0 (#11736)
+- fix(browser): Ensure `lazyLoadIntegration` works in NPM mode (#11673)
+- fix(browser): Set custom sentry source correctly (#11735)
+- fix(ember): Do not create rendering spans without transaction (#11749)
+- fix(serverless): Check if cloud event callback is a function (#9044) (#11701)
+- ref(nextjs): Remove unnecessary logic to filter symbolification/sentry spans (#11714)
+
+## 8.0.0-beta.3
+
+### Important Changes
+
+- **feat(opentelemetry): Add `addOpenTelemetryInstrumentation` (#11667)**
+
+A utility function `addOpenTelemetryInstrumentation` was added that allows for the registration of instrumentations that
+conform to the OpenTelemetry JS API without having to specify `@opentelemetry/instrumentation` as a dependency.
+
+- **ref(core): Don't start transaction for trpc middleware (#11697)**
+
+Going forward, the Sentry `trpcMiddleware` will only create spans. Previously it used to always create a transaction.
+This change was made to integrate more nicely with the HTTP instrumentation added in earlier versions to avoid creating
+unnecessary transactions.
+
+### Other Changes
+
+- feat(nextjs): Instrument outgoing http requests (#11685)
+- feat(opentelemetry): Remove setupGlobalHub (#11668)
+- fix: Missing ErrorEvent export are added to node, browser, bun, deno, vercel-edge sub-packages (#11649)
+- fix(nextjs): Do not sample next spans if they have remote parent (#11680)
+- fix(nextjs): Re-enable OTEL fetch instrumentation and disable Next.js fetch instrumentation (#11686)
+- fix(node): Ensure DSC on envelope header uses root span (#11683)
+- ref(browser): Streamline pageload span creation and scope handling (#11679)
+- ref(core): Directly use endSession (#11669)
+
+## 8.0.0-beta.2
+
+### Important Changes
+
+- **feat(browser): Update `propagationContext` on `spanEnd` to keep trace consistent**
+
+To ensure consistency throughout a route's duration, we update the scope's propagation context when the initial page
+load or navigation span ends. This keeps span-specific attributes like the sampled decision and dynamic sampling context
+on the scope, even after the transaction has ended.
+
+- **fix(browser): Don't assume window.document is available (#11602)**
+
+We won't assume `window.dodument` is available in the browser SDKs anymore. This should prevent errors in environments
+where `window.document` is not available (such as web workers).
+
+### Other changes
+
+- feat(core): Add `server.address` to browser `http.client` spans (#11634)
+- feat(opentelemetry): Update OTEL packages & relax some version ranges (#11580)
+- feat(deps): bump @opentelemetry/instrumentation-hapi from 0.34.0 to 0.36.0 (#11496)
+- feat(deps): bump @opentelemetry/instrumentation-koa from 0.37.0 to 0.39.0 (#11495)
+- feat(deps): bump @opentelemetry/instrumentation-pg from 0.38.0 to 0.40.0 (#11494)
+- feat(nextjs): Skip OTEL root spans emitted by Next.js (#11623)
+- feat(node): Collect Local Variables via a worker (#11586)
+- fix(nextjs): Escape Next.js' OpenTelemetry instrumentation (#11625)
+- fix(feedback): Fix timeout on feedback submission (#11619)
+- fix(node): Allow use of `NodeClient` without calling `init` (#11585)
+- fix(node): Ensure DSC is correctly set in envelope headers (#11628)
+
+## 8.0.0-beta.1
+
+This is the first beta release of Sentry JavaScript SDK v8. With this release, there are no more planned breaking
+changes for the v8 cycle.
+
+Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code. All
+deprecations from the v7 cycle, with the exception of `getCurrentHub()`, have been removed and can no longer be used in
+v8.
+
+### Version Support
+
+The Sentry JavaScript SDK v8 now supports Node.js 14.8.0 or higher. This applies to `@sentry/node` and all of our
+node-based server-side sdks (`@sentry/nextjs`, `@sentry/remix`, etc.).
+
+The browser SDKs now require
+[ES2018+](https://caniuse.com/?feats=mdn-javascript_builtins_regexp_dotall,js-regexp-lookbehind,mdn-javascript_builtins_regexp_named_capture_groups,mdn-javascript_builtins_regexp_property_escapes,mdn-javascript_builtins_symbol_asynciterator,mdn-javascript_functions_method_definitions_async_generator_methods,mdn-javascript_grammar_template_literals_template_literal_revision,mdn-javascript_operators_destructuring_rest_in_objects,mdn-javascript_operators_destructuring_rest_in_arrays,promise-finally)
+compatible browsers. New minimum browser versions:
+
+- Chrome 63
+- Edge 79
+- Safari/iOS Safari 12
+- Firefox 58
+- Opera 50
+- Samsung Internet 8.2
+
+For more details, please see the [version support section in migration guide](./MIGRATION.md#1-version-support-changes).
+
+### Package removal
+
+The following packages will no longer be published
+
+- [@sentry/hub](./MIGRATION.md#sentryhub)
+- [@sentry/tracing](./MIGRATION.md#sentrytracing)
+- [@sentry/integrations](./MIGRATION.md#sentryintegrations)
+- [@sentry/serverless](./MIGRATION.md#sentryserverless)
+- [@sentry/replay](./MIGRATION.md#sentryreplay)
+
+### Initializing Server-side SDKs (Node, Bun, Next.js, SvelteKit, Astro, Remix):
+
+Initializing the SDKs on the server-side has been simplified. More details in our migration docs about
+[initializing the SDK in v8](./MIGRATION.md/#initializing-the-node-sdk).
+
+### Performance Monitoring Changes
+
+The API around performance monitoring and tracing has been vastly improved, and we've added support for more
+integrations out of the box.
+
+- [Performance Monitoring API](./MIGRATION.md#performance-monitoring-api)
+- [Performance Monitoring Integrations](./MIGRATION.md#performance-monitoring-integrations)
+
+### Important Changes since v8.0.0-alpha.9
+
+- **feat(browser): Create spans as children of root span by default (#10986)**
+
+Because execution context isolation in browser environments does not work reliably, we deciced to keep a flat span
+hierarchy by default in v8.
+
+- **feat(core): Deprecate `addTracingExtensions` (#11579)**
+
+Instead of calling `Sentry.addTracingExtensions()` if you want to use performance in a browser SDK without using
+`browserTracingIntegration()`, you should now call `Sentry.registerSpanErrorInstrumentation()`.
+
+- **feat(core): Implement `suppressTracing` (#11468)**
+
+You can use the new `suppressTracing` API to ensure a given callback will not generate any spans:
+
+```js
+return Sentry.suppressTracing(() => {
+ // Ensure this fetch call does not generate a span
+ return fetch('/my-url');
+});
+```
+
+- **feat: Rename ESM loader hooks to `import` and `loader` (#11498)**
+
+We renamed the loader hooks for better clarity:
+
+```sh
+# For Node.js <= 18.18.2
+node --loader=@sentry/node/loader app.js
+
+# For Node.js >= 18.19.0
+node --import=@sentry/node/import app.js
+```
+
+- **feat(node): Do not exit process by default when other `onUncaughtException` handlers are registered in
+ `onUncaughtExceptionIntegration` (#11532)**
+
+In v8, we will no longer exit the node process by default if other uncaught exception handlers have been registered by
+the user.
+
+- **Better handling of transaction name for errors**
+
+We improved the way we keep the transaction name for error events, even when spans are not sampled or performance is
+disabled.
+
+- feat(fastify): Update scope `transactionName` when handling request (#11447)
+- feat(hapi): Update scope `transactionName` when handling request (#11448)
+- feat(koa): Update scope `transactionName` when creating router span (#11476)
+- feat(sveltekit): Update scope transactionName when handling server-side request (#11511)
+- feat(nestjs): Update scope transaction name with parameterized route (#11510)
+
+### Removal/Refactoring of deprecated functionality
+
+- feat(core): Remove `getCurrentHub` from `AsyncContextStrategy` (#11581)
+- feat(core): Remove `getGlobalHub` export (#11565)
+- feat(core): Remove `Hub` class export (#11560)
+- feat(core): Remove most Hub class exports (#11536)
+- feat(nextjs): Remove webpack 4 support (#11605)
+- feat(vercel-edge): Stop using hub (#11539)
+
+### Other Changes
+
+- feat: Hoist `getCurrentHub` shim to core as `getCurrentHubShim` (#11537)
+- feat(core): Add default behaviour for `rewriteFramesIntegration` in browser (#11535)
+- feat(core): Ensure replay envelopes are sent in order when offline (#11413)
+- feat(core): Extract errors from props in unkown inputs (#11526)
+- feat(core): Update metric normalization (#11518)
+- feat(feedback): Customize feedback placeholder text color (#11417)
+- feat(feedback): Maintain v7 compat in the @sentry-internal/feedback package (#11461)
+- feat(next): Handle existing root spans for isolation scope (#11479)
+- feat(node): Ensure tracing without performance (TWP) works (#11564)
+- feat(opentelemetry): Export `getRequestSpanData` (#11508)
+- feat(opentelemetry): Remove otel.attributes in context (#11604)
+- feat(ratelimit): Add metrics rate limit (#11538)
+- feat(remix): Skip span creation for `OPTIONS` and `HEAD` requests. (#11149)
+- feat(replay): Merge packages together & ensure bundles are built (#11552)
+- feat(tracing): Adds span envelope and datacategory (#11534)
+- fix(browser): Ensure pageload trace remains active after pageload span finished (#11600)
+- fix(browser): Ensure tracing without performance (TWP) works (#11561)
+- fix(nextjs): Fix `tunnelRoute` matching logic for hybrid cloud (#11576)
+- fix(nextjs): Remove Http integration from Next.js (#11304)
+- fix(node): Ensure isolation scope is correctly cloned for non-recording spans (#11503)
+- fix(node): Make fastify types more broad (#11544)
+- fix(node): Send ANR events without scope if event loop blocked indefinitely (#11578)
+- fix(tracing): Fixes latest route name and source not updating correctly (#11533)
+- ref(browser): Move browserTracing into browser pkg (#11484)
+- ref(feedback): Configure font size (#11437)
+- ref(feedback): Refactor Feedback types into @sentry/types and reduce the exported surface area (#11355)
+
+## 8.0.0-beta.0
+
+This release failed to publish correctly. Use 8.0.0-beta.1 instead.
+
+## 8.0.0-alpha.9
+
+This is the eighth alpha release of Sentry JavaScript SDK v8, which includes a variety of breaking changes.
+
+Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code.
+
+### Important Changes
+
+- **feat: Add @sentry-internal/browser-utils (#11381)**
+
+A big part of the browser-runtime specific exports of the internal `@sentry/utils` package were moved into a new package
+`@sentry-internal/browser-utils`. If you imported any API from `@sentry/utils` (which is generally not recommended but
+necessary for some workarounds), please check that your import statements still point to existing exports after
+upgrading.
+
+- **feat: Add loader file to node-based SDKs to support ESM monkeypatching (#11338)**
+
+When using ESM, it is necessary to use a "loader" to be able to instrument certain third-party packages and Node.js API.
+The server-side SDKs now ship with a set of ESM loader hooks, that should be used when using ESM. Use them as follows:
+
+```sh
+# For Node.js <= 18.18.2
+node --experimental-loader=@sentry/node/hook your-app.js
+
+# For Node.js >= 18.19.0
+node --import=@sentry/node/register your-app.js
+```
+
+Please note that due to an upstream bug, these loader hooks will currently crash or simply not work. We are planning to
+fix this in upcoming versions of the SDK - definitely before a stable version 8 release.
+
+- **feat(node): Add Koa error handler (#11403)**
+- **feat(node): Add NestJS error handler (#11375)**
+
+The Sentry SDK now exports integrations and error middlewares for Koa (`koaIntegration()`, `setupKoaErrorHandler()`) and
+NestJS (`setupNestErrorHandler()`) that can be used to instrument your Koa and NestJS applications with error
+monitoring.
+
+### Removal/Refactoring of deprecated functionality
+
+- feat(core): Remove hub check in isSentryRequestUrl (#11407)
+- feat(opentelemetry): Remove top level startActiveSpan (#11380)
+- feat(types): `beforeSend` and `beforeSendTransaction` breaking changes (#11354)
+- feat(v8): Remove all class based integrations (#11345)
+- feat(v8/core): Remove span.attributes top level field (#11378)
+- ref: Remove convertIntegrationFnToClass (#11343)
+- ref(node): Remove the old `node` package (#11322)
+- ref(tracing): Remove `span.startChild()` (#11376)
+- ref(v8): Remove `addRequestDataToTransaction` util (#11369)
+- ref(v8): Remove `args` on `HandlerDataXhr` (#11373)
+- ref(v8): Remove `getGlobalObject` utility method (#11372)
+- ref(v8): Remove `metadata` on transaction (#11397)
+- ref(v8): Remove `pushScope`, `popScope`, `isOlderThan`, `shouldSendDefaultPii` from hub (#11404)
+- ref(v8): Remove `shouldCreateSpanForRequest` from vercel edge options (#11371)
+- ref(v8): Remove deprecated `_reportAllChanges` option (#11393)
+- ref(v8): Remove deprecated `scope.getTransaction()` (#11365)
+- ref(v8): Remove deprecated methods on scope (#11366)
+- ref(v8): Remove deprecated span & transaction properties (#11400)
+- ref(v8): Remove Transaction concept (#11422)
+
+### Other Changes
+
+- feat: Add `trpcMiddleware` back to serverside SDKs (#11374)
+- feat: Implement timed events & remove `transaction.measurements` (#11398)
+- feat(browser): Bump web-vitals to 3.5.2 (#11391)
+- feat(feedback): Add `getFeedback` utility to get typed feedback instance (#11331)
+- feat(otel): Do not sample `options` and `head` requests (#11467)
+- feat(remix): Update scope `transactionName` when resolving route (#11420)
+- feat(replay): Bump `rrweb` to 2.12.0 (#11314)
+- feat(replay): Use data sentry element as fallback for the component name (#11383)
+- feat(sveltekit): Update scope `transactionName` when pageload route name is updated (#11406)
+- feat(tracing-internal): Reset propagation context on navigation (#11401)
+- feat(types): Add View Hierarchy types (#11409)
+- feat(utils): Use `globalThis` (#11351)
+- feat(vue): Update scope's `transactionName` when resolving a route (#11423)
+- fix(core): unref timer to not block node exit (#11430)
+- fix(node): Fix baggage propagation (#11363)
+- fix(web-vitals): Check for undefined navigation entry (#11311)
+- ref: Set preserveModules to true for browser packages (#11452)
+- ref(core): Remove duplicate logic in scope.update (#11384)
+- ref(feedback): Add font family style to actor (#11432)
+- ref(feedback): Add font family to buttons (#11414)
+- ref(gcp-serverless): Remove setting `.__sentry_transaction` (#11346)
+- ref(nextjs): Replace multiplexer with conditional exports (#11442)
+
+## 8.0.0-alpha.8
+
+This is a partially broken release and was superseded by version `8.0.0-alpha.9`.
+
+## 8.0.0-alpha.7
+
+This is the seventh alpha release of Sentry JavaScript SDK v8, which includes a variety of breaking changes.
+
+Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code.
+
+### Important Changes
+
+- **feat(nextjs): Use OpenTelemetry for performance monitoring and tracing (#11016)**
+
+We now use OpenTelemetry under the hood to power performance monitoring and tracing in the Next.js SDK.
+
+- **feat(v8/gatsby): Update SDK initialization for gatsby (#11292)**
+
+In v8, you cannot initialize the SDK anymore via Gatsby plugin options. Instead, you have to configure the SDK in a
+`sentry.config.js` file.
+
+We also removed the automatic initialization of `browserTracingIntegration`. You now have to add this integration
+yourself.
+
+### Removal/Refactoring of deprecated functionality
+
+- feat(v8): Remove addGlobalEventProcessor (#11255)
+- feat(v8): Remove deprecated span id fields (#11180)
+- feat(v8): Remove makeMain export (#11278)
+- feat(v8/core): Remove deprecated span.sampled (#11274)
+- feat(v8/core): Remove getActiveTransaction (#11280)
+- feat(v8/core): Remove spanMetadata field (#11271)
+- feat(v8/ember): Remove deprecated StartTransactionFunction (#11270)
+- feat(v8/replay): Remove deprecated replay options (#11268)
+- feat(v8/svelte): Remove deprecated componentTrackingPreprocessor export (#11277)
+- ref: Remove more usages of getCurrentHub in the codebase (#11281)
+- ref(core): Remove `scope.setSpan()` and `scope.getSpan()` methods (#11051)
+- ref(profiling-node): Remove usage of getCurrentHub (#11275)
+- ref(v8): change integration.setupOnce signature (#11238)
+- ref: remove node-experimental references (#11290)
+
+### Other Changes
+
+- feat(feedback): Make "required" text for input elements configurable (#11152) (#11153)
+- feat(feedback): Update user feedback screenshot and cropping to align with designs (#11227)
+- feat(nextjs): Remove `runtime` and `vercel` tags (#11291)
+- feat(node): Add scope to ANR events (#11256)
+- feat(node): Do not include `prismaIntegration` by default (#11265)
+- feat(node): Ensure `tracePropagationTargets` are respected (#11285)
+- feat(node): Simplify `SentrySpanProcessor` (#11273)
+- feat(profiling): Use OTEL powered node package (#11239)
+- feat(utils): Allow text encoder/decoder polyfill from global **SENTRY** (#11283)
+- fix(nextjs): Show misconfiguration warning (no `instrumentation.ts`) (#11266)
+- fix(node): Add logs when node-fetch cannot be instrumented (#11289)
+- fix(node): Skip capturing Hapi Boom error responses. (#11151)
+- fix(node): Use `suppressTracing` to avoid capturing otel spans (#11288)
+- fix(opentelemetry): Do not stomp span status when `startSpan` callback throws (#11170)
+
+## 8.0.0-alpha.6
+
+This version did not publish correctly due to a configuration issue.
+
+## 8.0.0-alpha.5
+
+This is the fifth alpha release of Sentry JavaScript SDK v8, which includes a variety of breaking changes.
+
+Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code.
+
+### Important Changes
+
+- **feat(nextjs): Remove `client.(server|client).config.ts` functionality in favor of `instrumentation.ts` (#11059)**
+ - feat(nextjs): Bump minimum required Next.js version to `13.2.0` (#11097)
+
+With version 8 of the SDK we will no longer support the use of `sentry.server.config.ts` and `sentry.edge.config.ts`
+files. Instead, please initialize the Sentry Next.js SDK for the serverside in a
+[Next.js instrumentation hook](https://nextjs.org/docs/app/building-your-application/optimizing/instrumentation).
+**`sentry.client.config.ts|js` is still supported and encouraged for initializing the clientside SDK.** Please see the
+[Migration Guide](./MIGRATION.md#updated-the-recommended-way-of-calling-sentryinit) for more details.
+
+In addition, the Next.js SDK now requires a minimum Next.js version of `13.2.0`.
+
+- **feat(v8/angular): Merge angular and angular-ivy packages and start Angular support at v14 (#11091)**
+
+The `@sentry/angular-ivy` package has been removed. The `@sentry/angular` package now supports Ivy by default and
+requires at least Angular 14. See the [Migration Guide](./MIGRATION.md#removal-of-sentryangular-ivy-package) for more
+details.
+
+### Removal/Refactoring of deprecated functionality
+
+- feat(aws-serverless): Remove deprecated `rethrowAfterCapture` option (#11126)
+- feat(node): Remove deprecated/duplicate/unused definitions (#11120)
+- feat(v8): Remove deprecated integration methods on client (#11134)
+- feat(v8/browser): Remove class export for linked errors (#11129)
+- feat(v8/browser): Remove deprecated wrap export (#11127)
+- feat(v8/core): Remove deprecated client.setupIntegrations method (#11179)
+- feat(v8/core): Remove deprecated integration classes (#11132)
+- feat(v8/ember): Remove InitSentryForEmber export (#11202)
+- feat(v8/nextjs): Remove usage of class integrations (#11182)
+- feat(v8/replay): Delete deprecated types (#11177)
+- feat(v8/utils): Remove deprecated util functions (#11143)
+- ref(node): Remove class based export for local variable integration (#11128)
+
+### Other Changes
+
+- feat(browser): Make fetch the default transport for offline (#11209)
+- feat(core): Filter out noisy GoogleTag error by default (#11208)
+- feat(deps): Bump @sentry/cli from 2.30.0 to 2.30.2 (#11168)
+- feat(nextjs): Prefix webpack plugin log messages with runtime (#11173)
+- feat(node-profiling): Output ESM and remove Sentry deps from output (#11135)
+- feat(node): Allow Anr worker to be stopped and restarted (#11214)
+- feat(node): Support `tunnel` option for ANR (#11163)
+- feat(opentelemetry): Do not capture exceptions for timed events (#11221)
+- feat(serverless): Add Node.js 20 to compatible runtimes (#11103)
+- feat(sveltekit): Switch to Otel-based `@sentry/node` package (#11075)
+- fix(attachments): Add missing `view_hierarchy` attachment type (#11197)
+- fix(build): Ensure tree shaking works properly for ESM output (#11122)
+- fix(feedback): Only allow screenshots in secure contexts (#11188)
+- fix(feedback): Reduce force layout in screenshots (#11181)
+- fix(feedback): Smoother cropping experience and better UI (#11165)
+- fix(feedback): Fix screenshot black bars in Safari (#11233)
+- fix(metrics): use correct statsd data category (#11184)
+- fix(metrics): use web-vitals ttfb calculation (#11185)
+- fix(node): Export `initOpenTelemetry` (#11158)
+- fix(node): Clear ANR timer on stop (#11229)
+- fix(node): Time zone handling for `cron` (#11225)
+- fix(node): Use unique variable for ANR context transfer (#11161)
+- fix(opentelemetry): Do not stomp span error status (#11169)
+- fix(types): Fix incorrect `sampled` type on `Transaction` (#11115)
+
+## 8.0.0-alpha.4
+
+This is the fourth Alpha release of the v8 cycle, which includes a variety of breaking changes.
+
+Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code.
+
+### Important Changes
+
+- **feat: Set required node version to >=14.18.0 for all packages (#10968)**
+
+The minimum Node version required for the SDK is now `14.18.0`.
+
+- **Serverless SDK Changes**
+ - feat(google-cloud): Add @sentry/google-cloud package (#10993)
+ - feat(v8): Add @sentry/aws-serverless package (#11052)
+ - feat(v8): Rename gcp package to `@sentry/google-cloud-serverless` (#11065)
+
+`@sentry/serverless` is no longer published, and is replaced by two new packages: `@sentry/google-cloud-serverless` and
+`@sentry/aws-serverless`. These packages are now the recommended way to instrument serverless functions. See the
+[migration guide](./MIGRATION.md#sentryserverless) for more details.
+
+- **build(bundles): Use ES2017 for bundles (drop ES5 support) (#10911)**
+
+The Browser SDK and CDN bundles now emits ES2017 compatible code and drops support for IE11. This also means that the
+Browser SDKs (`@sentry/browser`, `@sentry/react`, `@sentry/vue`, etc.) requires the fetch API to be available in the
+environment. If you need to support older browsers, please transpile your code to ES5 using babel or similar and add
+required polyfills.
+
+New minimum supported browsers:
+
+- Chrome 58
+- Edge 15
+- Safari/iOS Safari 11
+- Firefox 54
+- Opera 45
+- Samsung Internet 7.2
+
+### Removal/Refactoring of deprecated functionality
+
+- feat(browser): Remove IE parser from the default stack parsers (#11035)
+- feat(bun/v8): Remove all deprecations from Bun SDK (#10971)
+- feat(core): Remove `startTransaction` export (#11015)
+- feat(v8/core): Move addTracingHeadersToFetchRequest and instrumentFetchRequest to core (#10918)
+- feat(v8/deno): Remove deprecations from deno SDK (#10972)
+- feat(v8/remix): Remove remixRouterInstrumentation (#10933)
+- feat(v8/replay): Opt-in options for `unmask` and `unblock` (#11049)
+- feat(v8/tracing): Delete BrowserTracing class (#10919)
+- feat(v8/vercel-edge): Remove vercel-edge sdk deprecations (#10974)
+- feat(replay/v8): Delete deprecated `replaySession` and `errorSampleRates` (#11045)
+- feat(v8): Remove deprecated Replay, Feedback, ReplayCanvas exports (#10814)
+- ref: Remove `spanRecorder` and all related code (#10977)
+- ref: Remove deprecated `origin` field on span start options (#11058)
+- ref: Remove deprecated properties from `startSpan` options (#11054)
+- ref(core): Remove `startTransaction` & `finishTransaction` hooks (#11008)
+- ref(nextjs): Remove `sentry` field in Next.js config as a means of configuration (#10839)
+- ref(nextjs): Remove last internal deprecations (#11019)
+- ref(react): Streamline browser tracing integrations & remove old code (#11012)
+- ref(svelte): Remove `startChild` deprecations (#10956)
+- ref(sveltekit): Update trace propagation & span options (#10838)
+- ref(v8/angular): Remove instrumentAngularRouting and fix tests (#11021)
+
+### Other Changes
+
+- feat: Ensure `getRootSpan()` does not rely on transaction (#10979)
+- feat: Export `getSpanDescendants()` everywhere (#10924)
+- feat: Make ESM output valid Node ESM (#10928)
+- feat: Remove tags from spans & transactions (#10809)
+- feat(angular): Update scope `transactionName` when route is resolved (#11043)
+- feat(angular/v8): Change decorator naming and add `name` parameter (#11057)
+- feat(astro): Update `@sentry/astro` to use OpenTelemetry (#10960)
+- feat(browser): Remove `HttpContext` integration class (#10987)
+- feat(browser): Use idle span for browser tracing (#10957)
+- feat(build): Allow passing Sucrase options for rollup (#10747)
+- feat(build): Core packages into single output files (#11030)
+- feat(core): Allow custom tracing implementations (#11003)
+- feat(core): Allow metrics aggregator per client (#10949)
+- feat(core): Decouple `scope.transactionName` from root spans (#10991)
+- feat(core): Ensure trace APIs always return a span (#10942)
+- feat(core): Implement `startIdleSpan` (#10934)
+- feat(core): Move globals to `__SENTRY__` singleton (#11034)
+- feat(core): Move more scope globals to `__SENTRY__` (#11074)
+- feat(core): Undeprecate setTransactionName (#10966)
+- feat(core): Update `continueTrace` to be callback-only (#11044)
+- feat(core): Update `spanToJSON` to handle OTEL spans (#10922)
+- feat(deps): bump @sentry/cli from 2.29.1 to 2.30.0 (#11024)
+- feat(feedback): New feedback integration with screenshots (#10590)
+- feat(nextjs): Bump Webpack Plugin to version 2 and rework config options (#10978)
+- feat(nextjs): Support Hybrid Cloud DSNs with `tunnelRoute` option (#10959)
+- feat(node): Add `setupFastifyErrorHandler` utility (#11061)
+- feat(node): Rephrase wording in http integration JSDoc (#10947)
+- feat(opentelemetry): Do not use SentrySpan & Transaction classes (#10982)
+- feat(opentelemetry): Remove hub from context (#10983)
+- feat(opentelemetry): Use core `getRootSpan` functionality (#11004)
+- feat(profiling-node): Refactor deprecated methods & non-hook variant (#10984)
+- feat(react): Update scope's `transactionName` in React Router instrumentations (#11048)
+- feat(remix): Refactor to use new performance APIs (#10980)
+- feat(remix): Update remix SDK to be OTEL-powered (#11031)
+- feat(sveltekit): Export `unstable_sentryVitePluginOptions` for full Vite plugin customization (#10930)
+- feat(v8/bun): Update @sentry/bun to use OTEL node (#10997)
+- fix(ember): Ensure browser tracing is correctly lazy loaded (#11026)
+- fix(nextjs): Use passthrough `createReduxEnhancer` on server (#11005)
+- fix(node): Add missing core re-exports (#10931)
+- fix(node): Correct SDK name (#10961)
+- fix(node): Do not assert in vendored proxy code (#11011)
+- fix(node): Export spotlightIntegration from OTEL node (#10973)
+- fix(node): support undici headers as strings or arrays (#10938)
+- fix(opentelemetry): Fix span & sampling propagation (#11092)
+- fix(react): Passes the fallback function through React's createElement function (#10623)
+- fix(react): Set `handled` value in ErrorBoundary depending on fallback (#10989)
+- fix(types): Add `addScopeListener` to `Scope` interface (#10952)
+- fix(types): Add `AttachmentType` and use for envelope `attachment_type` property (#10946)
+- fix(types): Remove usage of `allowSyntheticDefaultImports` (#11073)
+- fix(v8/utils): Stack parser skip frames (not lines of stack string) (#10560)
+- ref(angular): Refactor usage of `startChild` (#11056)
+- ref(browser): Store browser metrics as attributes instead of tags (#10823)
+- ref(browser): Update `scope.transactionName` on pageload and navigation span creation (#10992)
+- ref(browser): Update browser metrics to avoid deprecations (#10943)
+- ref(browser): Update browser profiling to avoid deprecated APIs (#11007)
+- ref(feedback): Move UserFeedback type into feedback.ts (#11032)
+- ref(nextjs): Clean up browser tracing integration (#11022)
+- ref(node-experimental): Refactor usage of `startChild()` (#11047)
+- ref(node): Use new performance APIs in legacy `http` & `undici` (#11055)
+- ref(opentelemetry): Remove parent span map (#11014)
+- ref(opentelemetry): Remove span metadata handling (#11020)
+
+Work in this release contributed by @MFoster and @jessezhang91. Thank you for your contributions!
+
+## 8.0.0-alpha.3
+
+This alpha was released in an incomplete state. We recommend skipping this release and using the `8.0.0-alpha.4` release
+instead.
+
+## 8.0.0-alpha.2
+
+This alpha release fixes a build problem that prevented 8.0.0-alpha.1 from being properly released.
+
+### Important Changes
+
+- **feat: Remove `@sentry/opentelemetry-node` package (#10906)**
+
+The `@sentry/opentelemetry-node` package has been removed. Instead, you can either use `@sentry/node` with built-in
+OpenTelemetry support, or use `@sentry/opentelemetry` to manually connect Sentry with OpenTelemetry.
+
+### Removal/Refactoring of deprecated functionality
+
+- ref: Refactor some deprecated `startSpan` options (#10825)
+- feat(v8/core): remove void from transport return (#10794)
+- ref(integrations): Delete deprecated class integrations (#10887)
+
+### Other Changes
+
+- feat(core): Use serialized spans in transaction event (#10912)
+- feat(deps): bump @sentry/cli from 2.28.6 to 2.29.1 (#10908)
+- feat(node): Allow to configure `skipOpenTelemetrySetup` (#10907)
+- feat(esm): Import rather than require `inspector` (#10910)
+- fix(browser): Don't use chrome variable name (#10874)
+- chore(sveltekit): Fix punctuation in a console.log (#10895)
+- fix(opentelemetry): Ensure DSC propagation works correctly (#10904)
+- feat(browser): Exclude span exports from non-performance CDN bundles (#10879)
+- ref: Refactor span status handling to be OTEL compatible (#10871)
+- feat(core): Fix span scope handling & transaction setting (#10886)
+- ref(ember): Avoid namespace import to hopefully resolve minification issue (#10885)
+
+Work in this release contributed by @harish-talview & @bfontaine. Thank you for your contributions!
+
+## 8.0.0-alpha.1
+
+This is the first Alpha release of the v8 cycle, which includes a variety of breaking changes.
+
+Read the [in-depth migration guide](./MIGRATION.md) to find out how to address any breaking changes in your code.
+
+### Important Changes
+
+**- feat(node): Make `@sentry/node` powered by OpenTelemetry (#10762)**
+
+The biggest change is the switch to use OpenTelemetry under the hood in `@sentry/node`. This brings with it a variety of
+changes:
+
+- There is now automated performance instrumentation for Express, Fastify, Nest.js and Koa. You can remove any
+ performance and request isolation code you previously wrote manually for these frameworks.
+- All performance instrumention is enabled by default, and will only take effect if the instrumented package is used.
+ You don't need to use `autoDiscoverNodePerformanceMonitoringIntegrations()` anymore.
+- You need to ensure to call `Sentry.init()` _before_ you import any other packages. Otherwise, the packages cannot be
+ instrumented:
+
+```js
+const Sentry = require('@sentry/node');
+Sentry.init({
+ dsn: '...',
+ // ... other config here
+});
+// now require other things below this!
+const http = require('http');
+const express = require('express');
+// ....
+```
+
+- Currently, we only support CJS-based Node application out of the box. There is experimental ESM support, see
+ [the instructions](./packages/node-experimental/README.md#esm-support).
+- `startTransaction` and `span.startChild()` are no longer supported. This is due to the underlying change to
+ OpenTelemetry powered performance instrumentation. See
+ [docs on the new performance APIs](./docs/v8-new-performance-apis.md) for details.
+
+Related changes:
+
+- feat(node-experimental): Add missing re-exports (#10679)
+- feat(node-experimental): Move `defaultStackParser` & `getSentryRelease` (#10722)
+- feat(node-experimental): Move `errorHandler` (#10728)
+- feat(node-experimental): Move cron code over (#10742)
+- feat(node-experimental): Move integrations from node (#10743)
+- feat(node-experimental): Properly set request & session on http requests (#10676)
+- feat(opentelemetry): Support `forceTransaction` in OTEL (#10807)
+- feat(opentelemetry): Align span options with core span options (#10761)
+- feat(opentelemetry): Do not capture span events as breadcrumbs (#10612)
+- feat(opentelemetry): Ensure DSC & attributes are correctly set (#10806)
+- feat(opentelemetry): Fix & align isolation scope usage in node-experimental (#10570)
+- feat(opentelemetry): Merge node-experimental changes into opentelemetry (#10689)
+- ref(node-experimental): Cleanup re-exports (#10741)
+- ref(node-experimental): Cleanup tracing intergations (#10730)
+- ref(node-experimental): Copy transport & client to node-experimental (#10720)
+- ref(node-experimental): Remove custom `isInitialized` (#10607)
+- ref(node-experimental): Remove custom hub & scope (#10616)
+- ref(node-experimental): Remove deprecated class integrations (#10675)
+- ref(node-experimental): Rename `errorHandler` to `expressErrorHandler` (#10746)
+- ref(node-integration-tests): Migrate to new Http integration (#10765)
+- ref(node): Align semantic attribute handling (#10827)
+
+**- feat: Remove `@sentry/integrations` package (#10799)**
+
+This package is no longer published. You can instead import these pluggable integrations directly from your SDK package
+(e.g. `@sentry/browser` or `@sentry/react`).
+
+**- feat: Remove `@sentry/hub` package (#10783)**
+
+This package is no longer published. You can instead import directly from your SDK package (e.g. `@sentry/react` or
+`@sentry/node`).
+
+**- feat(v8): Remove @sentry/tracing (#10625)**
+
+This package is no longer published. You can instead import directly from your SDK package (e.g. `@sentry/react` or
+`@sentry/node`).
+
+**- feat: Set required node version to >=14.8.0 for all packages (#10834)**
+
+The minimum required node version is now 14.8+. If you need support for older node versions, you can stay on the v7
+branch.
+
+**- Removed class-based integrations**
+
+We have removed most of the deprecated class-based integrations. Instead, you can use the functional styles:
+
+```js
+import * as Sentry from '@sentry/browser';
+// v7
+Sentry.init({
+ integrations: [new Sentry.BrowserTracing()],
+});
+// v8
+Sentry.init({
+ integrations: [new Sentry.browserTracingIntegration()],
+});
+```
+
+- ref: Remove `BrowserTracing` (#10653)
+- feat(v8/node): Remove LocalVariables class integration (#10558)
+- feat(v8/react): Delete react router exports (#10532)
+- feat(v8/vue): Remove all deprecated exports from vue (#10533)
+- feat(v8/wasm): Remove deprecated exports (#10552)
+
+**- feat(v8/browser): Remove XHR transport (#10703)**
+
+We have removed the XHR transport, and are instead using the fetch-based transport now by default. This means that if
+you are using Sentry in a browser environment without fetch, you'll need to either provide a fetch polyfill, or provide
+a custom transport to Sentry.
+
+**- feat(sveltekit): Update `@sentry/vite-plugin` to 2.x and adjust options API (#10813)**
+
+We have updated `@sentry/sveltekit` to use the latest version of `@sentry/vite-plugin`, which lead to changes in
+configuration options.
+
+### Other Changes
+
+- feat: Ensure `withActiveSpan` is exported everywhere (#10878)
+- feat: Allow passing `null` to `withActiveSpan` (#10717)
+- feat: Implement new Async Context Strategy (#10647)
+- feat: Remove `hub` from global, `hub.run` & hub utilities (#10718)
+- feat: Update default trace propagation targets logic in the browser (#10621)
+- feat: Ignore ResizeObserver and undefined error (#10845)
+- feat(browser): Export `getIsolationScope` and `getGlobalScope` (#10658)
+- feat(browser): Prevent initialization in browser extensions (#10844)
+- feat(core): Add metric summaries to spans (#10554)
+- feat(core): Decouple metrics aggregation from client (#10628)
+- feat(core): Lookup client on current scope, not hub (#10635)
+- feat(core): Make `setXXX` methods set on isolation scope (#10678)
+- feat(core): Make custom tracing methods return spans & set default op (#10633)
+- feat(core): Make global `addBreadcrumb` write to the isolation scope instead of current scope (#10586)
+- feat(core): Remove health check transaction filters (#10818)
+- feat(core): Streamline custom hub creation for node-experimental (#10555)
+- feat(core): Update `addEventProcessor` to add to isolation scope (#10606)
+- feat(core): Update `Sentry.addBreadcrumb` to skip hub (#10601)
+- feat(core): Use global `TextEncoder` and `TextDecoder` (#10701)
+- feat(deps): bump @sentry/cli from 2.26.0 to 2.28.0 (#10496)
+- feat(deps): bump @sentry/cli from 2.28.0 to 2.28.5 (#10620)
+- feat(deps): bump @sentry/cli from 2.28.5 to 2.28.6 (#10727)
+- feat(integrations): Capture error arguments as exception regardless of level in `captureConsoleIntegration` (#10744)
+- feat(metrics): Remove metrics method from `BaseClient` (#10789)
+- feat(node): Remove unnecessary URL imports (#10860)
+- feat(react): Drop support for React 15 (#10115)
+- feat(remix): Add Vite dev-mode support to Express instrumentation. (#10784)
+- fix: Export session API (#10711)
+- fix(angular-ivy): Add `exports` field to `package.json` (#10569)
+- fix(angular): Ensure navigations always create a transaction (#10646)
+- fix(core): Add lost scope tests & fix update case (#10738)
+- fix(core): Fix scope capturing via `captureContext` function (#10735)
+- fix(feedback): Replay breadcrumb for feedback events was incorrect (#10536)
+- fix(nextjs): Remove `webpack://` prefix more broadly from source map `sources` field (#10642)
+- fix(node): import `worker_threads` and fix node v14 types (#10791)
+- fix(node): Record local variables with falsy values, `null` and `undefined` (#10821)
+- fix(stacktrace): Always use `?` for anonymous function name (#10732)
+- fix(sveltekit): Avoid capturing Http 4xx errors on the client (#10571)
+- fix(sveltekit): Ensure navigations and redirects always create a new transaction (#10656)
+- fix(sveltekit): Properly await sourcemaps flattening (#10602)
+- fix(types): Improve attachment type (#10832)
+- fx(node): Fix anr worker check (#10719)
+- ref: Cleanup browser profiling integration (#10766)
+- ref: Collect child spans references via non-enumerable on Span object (#10715)
+- ref: Make scope setters on hub only write to isolation scope (#10572)
+- ref: Store runtime on isolation scope (#10657)
+- ref(astro): Put request as SDK processing metadata instead of span data (#10840)
+- ref(core): Always use a (default) ACS (#10644)
+- ref(core): Make `on` and `emit` required on client (#10603)
+- ref(core): Make remaining client methods required (#10605)
+- ref(core): Rename `Span` class to `SentrySpan` (#10687)
+- ref(core): Restructure hub exports (#10639)
+- ref(core): Skip hub in top level `captureXXX` methods (#10688)
+- ref(core): Allow `number` as span `traceFlag` (#10855)
+- ref(core): Remove `status` field from Span (#10856)
+- ref(remix): Make `@remix-run/router` a dependency. (#10479)
+- ref(replay): Use `beforeAddBreadcrumb` hook instead of scope listener (#10600)
+- ref(sveltekit): Hard-pin Vite plugin version (#10843)
+
+### Other Deprecation Removals/Changes
+
+We have also removed or updated a variety of deprecated APIs.
+
+- feat(v8): Remove `extractTraceparentData` export (#10559)
+- feat(v8): Remove defaultIntegrations deprecated export (#10691)
+- feat(v8): Remove deprecated `span.isSuccess` method (#10699)
+- feat(v8): Remove deprecated `traceHeaders` method (#10776)
+- feat(v8): Remove deprecated addInstrumentationHandler (#10693)
+- feat(v8): Remove deprecated configureScope call (#10565)
+- feat(v8): Remove deprecated runWithAsyncContext API (#10780)
+- feat(v8): Remove deprecated spanStatusfromHttpCode export (#10563)
+- feat(v8): Remove deprecated trace and startActiveSpan methods (#10593)
+- feat(v8): Remove requestData deprecations (#10626)
+- feat(v8): Remove Severity enum (#10551)
+- feat(v8): Remove span.origin (#10753)
+- feat(v8): Remove span.toTraceparent method (#10698)
+- feat(v8): Remove usage of span.description and span.name (#10697)
+- feat(v8): Update eventFromUnknownInput to only use client (#10692)
+- feat(v8/astro): Remove deprecated exports from Astro SDK (#10611)
+- feat(v8/browser): Remove `_eventFromIncompleteOnError` usage (#10553)
+- feat(v8/browser): Remove XHR transport (#10703)
+- feat(v8/browser): Rename TryCatch integration to `browserApiErrorsIntegration` (#10755)
+- feat(v8/core): Remove deprecated setHttpStatus (#10774)
+- feat(v8/core): Remove deprecated updateWithContext method (#10800)
+- feat(v8/core): Remove getters for span.op (#10767)
+- feat(v8/core): Remove span.finish call (#10773)
+- feat(v8/core): Remove span.instrumenter and instrumenter option (#10769)
+- feat(v8/ember): Remove deprecated exports (#10535)
+- feat(v8/integrations): Remove deprecated exports (#10556)
+- feat(v8/node): Remove deepReadDirSync export (#10564)
+- feat(v8/node): Remove deprecated anr methods (#10562)
+- feat(v8/node): Remove getModuleFromFilename export (#10754)
+- feat(core): Remove deprecated props from `Span` interface (#10854)
+- fix(v8): Remove deprecated tracing config (#10870)
+- ref: Make `setupOnce` optional in integrations (#10729)
+- ref: Migrate transaction source from metadata to attributes (#10674)
+- ref: Refactor remaining `makeMain` usage (#10713)
+- ref(astro): Remove deprecated Replay and BrowserTracing (#10768)
+- feat(core): Remove deprecated `scope.applyToEvent()` method (#10842)
+- ref(integrations): Remove offline integration (#9456)
+- ref(nextjs): Remove all deprecated API (#10549)
+- ref: Remove `lastEventId` (#10585)
+- ref: Remove `reuseExisting` option for ACS (#10645)
+- ref: Remove `tracingOrigins` options (#10614)
+- ref: Remove deprecated `showReportDialog` APIs (#10609)
+- ref: Remove usage of span tags (#10808)
+- ref: Remove user segment (#10575)
diff --git a/packages/angular/src/sdk.ts b/packages/angular/src/sdk.ts
index 99dbb0354e82..c6cf3b17fcd0 100755
--- a/packages/angular/src/sdk.ts
+++ b/packages/angular/src/sdk.ts
@@ -32,7 +32,7 @@ export function getDefaultIntegrations(_options: BrowserOptions = {}): Integrati
// - https://github.com/getsentry/sentry-javascript/issues/5417#issuecomment-1453407097
// - https://github.com/getsentry/sentry-javascript/issues/2744
return [
- // TODO(v10): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
+ // TODO(v11): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
// eslint-disable-next-line deprecation/deprecation
inboundFiltersIntegration(),
functionToStringIntegration(),
diff --git a/packages/astro/src/integration/index.ts b/packages/astro/src/integration/index.ts
index 28092cad84be..1a9eeaff8cd4 100644
--- a/packages/astro/src/integration/index.ts
+++ b/packages/astro/src/integration/index.ts
@@ -1,6 +1,5 @@
-import { consoleSandbox } from '@sentry/core';
import { sentryVitePlugin } from '@sentry/vite-plugin';
-import type { AstroConfig, AstroIntegration } from 'astro';
+import type { AstroConfig, AstroIntegration, AstroIntegrationLogger } from 'astro';
import * as fs from 'fs';
import * as path from 'path';
import { buildClientSnippet, buildSdkInitFileImportSnippet, buildServerSnippet } from './snippets';
@@ -36,14 +35,11 @@ export const sentryAstro = (options: SentryOptions = {}): AstroIntegration => {
const otherOptionsKeys = Object.keys(otherOptions);
if (otherOptionsKeys.length > 0) {
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.warn(
- `[Sentry] You passed in additional options (${otherOptionsKeys.join(
- ', ',
- )}) to the Sentry integration. This is deprecated and will stop working in a future version. Instead, configure the Sentry SDK in your \`sentry.client.config.(js|ts)\` or \`sentry.server.config.(js|ts)\` files.`,
- );
- });
+ logger.warn(
+ `You passed in additional options (${otherOptionsKeys.join(
+ ', ',
+ )}) to the Sentry integration. This is deprecated and will stop working in a future version. Instead, configure the Sentry SDK in your \`sentry.client.config.(js|ts)\` or \`sentry.server.config.(js|ts)\` files.`,
+ );
}
const sdkEnabled = {
@@ -57,7 +53,7 @@ export const sentryAstro = (options: SentryOptions = {}): AstroIntegration => {
// We don't need to check for AUTH_TOKEN here, because the plugin will pick it up from the env
if (shouldUploadSourcemaps && command !== 'dev') {
- const computedSourceMapSettings = getUpdatedSourceMapSettings(config, options);
+ const computedSourceMapSettings = _getUpdatedSourceMapSettings(config, options, logger);
let updatedFilesToDeleteAfterUpload: string[] | undefined = undefined;
@@ -68,14 +64,12 @@ export const sentryAstro = (options: SentryOptions = {}): AstroIntegration => {
// This also works for adapters, as the source maps are also copied to e.g. the .vercel folder
updatedFilesToDeleteAfterUpload = ['./dist/**/client/**/*.map', './dist/**/server/**/*.map'];
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.log(
- `[Sentry] Automatically setting \`sourceMapsUploadOptions.filesToDeleteAfterUpload: ${JSON.stringify(
+ debug &&
+ logger.info(
+ `Automatically setting \`sourceMapsUploadOptions.filesToDeleteAfterUpload: ${JSON.stringify(
updatedFilesToDeleteAfterUpload,
)}\` to delete generated source maps after they were uploaded to Sentry.`,
);
- });
}
updateConfig({
@@ -222,9 +216,10 @@ export type UserSourceMapSetting = 'enabled' | 'disabled' | 'unset' | undefined;
*
* --> only exported for testing
*/
-export function getUpdatedSourceMapSettings(
+export function _getUpdatedSourceMapSettings(
astroConfig: AstroConfig,
- sentryOptions?: SentryOptions,
+ sentryOptions: SentryOptions | undefined,
+ logger: AstroIntegrationLogger,
): { previousUserSourceMapSetting: UserSourceMapSetting; updatedSourceMapSetting: boolean | 'inline' | 'hidden' } {
let previousUserSourceMapSetting: UserSourceMapSetting = undefined;
@@ -234,39 +229,36 @@ export function getUpdatedSourceMapSettings(
let updatedSourceMapSetting = viteSourceMap;
const settingKey = 'vite.build.sourcemap';
+ const debug = sentryOptions?.debug;
if (viteSourceMap === false) {
previousUserSourceMapSetting = 'disabled';
updatedSourceMapSetting = viteSourceMap;
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.warn(
- `[Sentry] Source map generation is currently disabled in your Astro configuration (\`${settingKey}: false\`). This setting is either a default setting or was explicitly set in your configuration. Sentry won't override this setting. Without source maps, code snippets on the Sentry Issues page will remain minified. To show unminified code, enable source maps in \`${settingKey}\` (e.g. by setting them to \`hidden\`).`,
+ if (debug) {
+ // Longer debug message with more details
+ logger.warn(
+ `Source map generation is currently disabled in your Astro configuration (\`${settingKey}: false\`). This setting is either a default setting or was explicitly set in your configuration. Sentry won't override this setting. Without source maps, code snippets on the Sentry Issues page will remain minified. To show unminified code, enable source maps in \`${settingKey}\` (e.g. by setting them to \`hidden\`).`,
);
- });
+ } else {
+ logger.warn('Source map generation is disabled in your Astro configuration.');
+ }
} else if (viteSourceMap && ['hidden', 'inline', true].includes(viteSourceMap)) {
previousUserSourceMapSetting = 'enabled';
updatedSourceMapSetting = viteSourceMap;
- if (sentryOptions?.debug) {
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.log(
- `[Sentry] We discovered \`${settingKey}\` is set to \`${viteSourceMap.toString()}\`. Sentry will keep this source map setting. This will un-minify the code snippet on the Sentry Issue page.`,
- );
- });
- }
+ debug &&
+ logger.info(
+ `We discovered \`${settingKey}\` is set to \`${viteSourceMap.toString()}\`. Sentry will keep this source map setting. This will un-minify the code snippet on the Sentry Issue page.`,
+ );
} else {
previousUserSourceMapSetting = 'unset';
updatedSourceMapSetting = 'hidden';
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.log(
- `[Sentry] Enabled source map generation in the build options with \`${settingKey}: 'hidden'\`. The source maps will be deleted after they were uploaded to Sentry.`,
+ debug &&
+ logger.info(
+ `Enabled source map generation in the build options with \`${settingKey}: 'hidden'\`. The source maps will be deleted after they were uploaded to Sentry.`,
);
- });
}
return { previousUserSourceMapSetting, updatedSourceMapSetting };
diff --git a/packages/astro/test/integration/index.test.ts b/packages/astro/test/integration/index.test.ts
index b98644f0b884..f7c0f2ec9e14 100644
--- a/packages/astro/test/integration/index.test.ts
+++ b/packages/astro/test/integration/index.test.ts
@@ -1,6 +1,6 @@
-import type { AstroConfig } from 'astro';
+import type { AstroConfig, AstroIntegrationLogger } from 'astro';
import { afterEach, beforeEach, describe, expect, it, vi } from 'vitest';
-import { getUpdatedSourceMapSettings, sentryAstro } from '../../src/integration';
+import { _getUpdatedSourceMapSettings, sentryAstro } from '../../src/integration';
import type { SentryOptions } from '../../src/integration/types';
const sentryVitePluginSpy = vi.fn(() => 'sentryVitePlugin');
@@ -305,21 +305,25 @@ describe('sentryAstro integration', () => {
});
it('injects runtime config into client and server init scripts and warns about deprecation', async () => {
- const consoleWarnSpy = vi.spyOn(console, 'warn').mockImplementation(() => {});
const integration = sentryAstro({
environment: 'test',
release: '1.0.0',
dsn: 'https://test.sentry.io/123',
- debug: true,
bundleSizeOptimizations: {},
+ // this also warns when debug is not enabled
});
+ const logger = {
+ warn: vi.fn(),
+ info: vi.fn(),
+ };
+
expect(integration.hooks['astro:config:setup']).toBeDefined();
// @ts-expect-error - the hook exists and we only need to pass what we actually use
- await integration.hooks['astro:config:setup']({ updateConfig, injectScript, config, logger: { info: vi.fn() } });
+ await integration.hooks['astro:config:setup']({ updateConfig, injectScript, config, logger });
- expect(consoleWarnSpy).toHaveBeenCalledWith(
- '[Sentry] You passed in additional options (environment, release, dsn) to the Sentry integration. This is deprecated and will stop working in a future version. Instead, configure the Sentry SDK in your `sentry.client.config.(js|ts)` or `sentry.server.config.(js|ts)` files.',
+ expect(logger.warn).toHaveBeenCalledWith(
+ 'You passed in additional options (environment, release, dsn) to the Sentry integration. This is deprecated and will stop working in a future version. Instead, configure the Sentry SDK in your `sentry.client.config.(js|ts)` or `sentry.server.config.(js|ts)` files.',
);
expect(injectScript).toHaveBeenCalledTimes(2);
@@ -490,18 +494,23 @@ describe('sentryAstro integration', () => {
});
});
-describe('getUpdatedSourceMapSettings', () => {
+describe('_getUpdatedSourceMapSettings', () => {
let astroConfig: Omit & { vite: { build: { sourcemap?: any } } };
let sentryOptions: SentryOptions;
+ let logger: AstroIntegrationLogger;
beforeEach(() => {
astroConfig = { vite: { build: {} } } as Omit & { vite: { build: { sourcemap?: any } } };
sentryOptions = {};
+ logger = {
+ info: vi.fn(),
+ warn: vi.fn(),
+ } as unknown as AstroIntegrationLogger;
});
it('should keep explicitly disabled source maps disabled', () => {
astroConfig.vite.build.sourcemap = false;
- const result = getUpdatedSourceMapSettings(astroConfig, sentryOptions);
+ const result = _getUpdatedSourceMapSettings(astroConfig, sentryOptions, logger);
expect(result.previousUserSourceMapSetting).toBe('disabled');
expect(result.updatedSourceMapSetting).toBe(false);
});
@@ -515,7 +524,7 @@ describe('getUpdatedSourceMapSettings', () => {
cases.forEach(({ sourcemap, expected }) => {
astroConfig.vite.build.sourcemap = sourcemap;
- const result = getUpdatedSourceMapSettings(astroConfig, sentryOptions);
+ const result = _getUpdatedSourceMapSettings(astroConfig, sentryOptions, logger);
expect(result.previousUserSourceMapSetting).toBe('enabled');
expect(result.updatedSourceMapSetting).toBe(expected);
});
@@ -523,26 +532,41 @@ describe('getUpdatedSourceMapSettings', () => {
it('should enable "hidden" source maps when unset', () => {
astroConfig.vite.build.sourcemap = undefined;
- const result = getUpdatedSourceMapSettings(astroConfig, sentryOptions);
+ const result = _getUpdatedSourceMapSettings(astroConfig, sentryOptions, logger);
expect(result.previousUserSourceMapSetting).toBe('unset');
expect(result.updatedSourceMapSetting).toBe('hidden');
});
it('should log warnings and messages when debug is enabled', () => {
- const consoleWarnSpy = vi.spyOn(console, 'warn').mockImplementation(() => {});
- const consoleLogSpy = vi.spyOn(console, 'log').mockImplementation(() => {});
-
sentryOptions = { debug: true };
astroConfig.vite.build.sourcemap = false;
- getUpdatedSourceMapSettings(astroConfig, sentryOptions);
- expect(consoleWarnSpy).toHaveBeenCalledWith(expect.stringContaining('Source map generation is currently disabled'));
+ _getUpdatedSourceMapSettings(astroConfig, sentryOptions, logger);
+
+ // eslint-disable-next-line @typescript-eslint/unbound-method
+ expect(logger.warn).toHaveBeenCalledWith(expect.stringContaining('Source map generation is currently disabled'));
+ // eslint-disable-next-line @typescript-eslint/unbound-method
+ expect(logger.warn).toHaveBeenCalledWith(
+ expect.stringContaining('This setting is either a default setting or was explicitly set in your configuration.'),
+ );
astroConfig.vite.build.sourcemap = 'hidden';
- getUpdatedSourceMapSettings(astroConfig, sentryOptions);
- expect(consoleLogSpy).toHaveBeenCalledWith(expect.stringContaining('Sentry will keep this source map setting'));
+ _getUpdatedSourceMapSettings(astroConfig, sentryOptions, logger);
+ // eslint-disable-next-line @typescript-eslint/unbound-method
+ expect(logger.info).toHaveBeenCalledWith(expect.stringContaining('Sentry will keep this source map setting'));
+ });
- consoleWarnSpy.mockRestore();
- consoleLogSpy.mockRestore();
+ it('should show short warnings debug is disabled', () => {
+ sentryOptions = { debug: false };
+
+ astroConfig.vite.build.sourcemap = false;
+ _getUpdatedSourceMapSettings(astroConfig, sentryOptions, logger);
+ // eslint-disable-next-line @typescript-eslint/unbound-method
+ expect(logger.warn).toHaveBeenCalledWith('Source map generation is disabled in your Astro configuration.');
+
+ astroConfig.vite.build.sourcemap = 'hidden';
+ _getUpdatedSourceMapSettings(astroConfig, sentryOptions, logger);
+ // eslint-disable-next-line @typescript-eslint/unbound-method
+ expect(logger.info).not.toHaveBeenCalled();
});
});
diff --git a/packages/aws-serverless/src/sdk.ts b/packages/aws-serverless/src/sdk.ts
index 95a23ba514d8..9bad62f3a848 100644
--- a/packages/aws-serverless/src/sdk.ts
+++ b/packages/aws-serverless/src/sdk.ts
@@ -1,33 +1,24 @@
-import type { Integration, Options, Scope, Span } from '@sentry/core';
-import {
- applySdkMetadata,
- debug,
- getSDKSource,
- SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN,
- SEMANTIC_ATTRIBUTE_SENTRY_SOURCE,
-} from '@sentry/core';
+import type { Integration, Options, Scope } from '@sentry/core';
+import { applySdkMetadata, consoleSandbox, debug, getSDKSource } from '@sentry/core';
import type { NodeClient, NodeOptions } from '@sentry/node';
import {
captureException,
captureMessage,
- continueTrace,
flush,
getCurrentScope,
getDefaultIntegrationsWithoutPerformance,
initWithoutDefaultIntegrations,
- startSpanManual,
withScope,
} from '@sentry/node';
import type { Context, Handler } from 'aws-lambda';
import { existsSync } from 'fs';
-import { hostname } from 'os';
import { basename, resolve } from 'path';
import { performance } from 'perf_hooks';
import { types } from 'util';
import { DEBUG_BUILD } from './debug-build';
import { awsIntegration } from './integration/aws';
import { awsLambdaIntegration } from './integration/awslambda';
-import { getAwsTraceData, markEventUnhandled } from './utils';
+import { markEventUnhandled } from './utils';
const { isPromise } = types;
@@ -54,10 +45,10 @@ export interface WrapperOptions {
* @default false
*/
captureAllSettledReasons: boolean;
+ // TODO(v11): Remove this option since its no longer used.
/**
- * Automatically trace all handler invocations.
- * You may want to disable this if you use express within Lambda.
- * @default true
+ * @deprecated This option has no effect and will be removed in a future major version.
+ * If you want to disable tracing, set `SENTRY_TRACES_SAMPLE_RATE` to `0.0`, otherwise OpenTelemetry will automatically trace the handler.
*/
startTrace: boolean;
}
@@ -207,18 +198,6 @@ function enhanceScopeWithEnvironmentData(scope: Scope, context: Context, startTi
});
}
-/**
- * Adds additional transaction-related information from the environment and AWS Context to the Sentry Scope.
- *
- * @param scope Scope that should be enhanced
- * @param context AWS Lambda context that will be used to extract some part of the data
- */
-function enhanceScopeWithTransactionData(scope: Scope, context: Context): void {
- scope.setTransactionName(context.functionName);
- scope.setTag('server_name', process.env._AWS_XRAY_DAEMON_ADDRESS || process.env.SENTRY_NAME || hostname());
- scope.setTag('url', `awslambda:///${context.functionName}`);
-}
-
/**
* Wraps a lambda handler adding it error capture and tracing capabilities.
*
@@ -231,15 +210,27 @@ export function wrapHandler(
wrapOptions: Partial = {},
): Handler {
const START_TIME = performance.now();
+
+ // eslint-disable-next-line deprecation/deprecation
+ if (typeof wrapOptions.startTrace !== 'undefined') {
+ consoleSandbox(() => {
+ // eslint-disable-next-line no-console
+ console.warn(
+ 'The `startTrace` option is deprecated and will be removed in a future major version. If you want to disable tracing, set `SENTRY_TRACES_SAMPLE_RATE` to `0.0`.',
+ );
+ });
+ }
+
const options: WrapperOptions = {
flushTimeout: 2000,
callbackWaitsForEmptyEventLoop: false,
captureTimeoutWarning: true,
timeoutWarningLimit: 500,
captureAllSettledReasons: false,
- startTrace: true,
+ startTrace: true, // TODO(v11): Remove this option. Set to true here to satisfy the type, but has no effect.
...wrapOptions,
};
+
let timeoutWarningTimer: NodeJS.Timeout;
// AWSLambda is like Express. It makes a distinction about handlers based on its last argument
@@ -293,7 +284,7 @@ export function wrapHandler(
}, timeoutWarningDelay) as unknown as NodeJS.Timeout;
}
- async function processResult(span?: Span): Promise {
+ async function processResult(): Promise {
const scope = getCurrentScope();
let rv: TResult;
@@ -314,9 +305,6 @@ export function wrapHandler(
throw e;
} finally {
clearTimeout(timeoutWarningTimer);
- if (span?.isRecording()) {
- span.end();
- }
await flush(options.flushTimeout).catch(e => {
DEBUG_BUILD && debug.error(e);
});
@@ -324,50 +312,8 @@ export function wrapHandler(
return rv;
}
- // Only start a trace and root span if the handler is not already wrapped by Otel instrumentation
- // Otherwise, we create two root spans (one from otel, one from our wrapper).
- // If Otel instrumentation didn't work or was filtered by users, we still want to trace the handler.
- // TODO: Since bumping the OTEL Instrumentation, this is likely not needed anymore, we can possibly remove this (can be done whenever since it would be non-breaking)
- if (options.startTrace && !isWrappedByOtel(handler)) {
- const traceData = getAwsTraceData(event as { headers?: Record }, context);
-
- return continueTrace({ sentryTrace: traceData['sentry-trace'], baggage: traceData.baggage }, () => {
- return startSpanManual(
- {
- name: context.functionName,
- op: 'function.aws.lambda',
- attributes: {
- [SEMANTIC_ATTRIBUTE_SENTRY_SOURCE]: 'component',
- [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.serverless',
- },
- },
- span => {
- enhanceScopeWithTransactionData(getCurrentScope(), context);
-
- return processResult(span);
- },
- );
- });
- }
-
return withScope(async () => {
- return processResult(undefined);
+ return processResult();
});
};
}
-
-/**
- * Checks if Otel's AWSLambda instrumentation successfully wrapped the handler.
- * Check taken from @opentelemetry/core
- */
-function isWrappedByOtel(
- // eslint-disable-next-line @typescript-eslint/ban-types
- handler: Function & { __original?: unknown; __unwrap?: unknown; __wrapped?: boolean },
-): boolean {
- return (
- typeof handler === 'function' &&
- typeof handler.__original === 'function' &&
- typeof handler.__unwrap === 'function' &&
- handler.__wrapped === true
- );
-}
diff --git a/packages/aws-serverless/test/sdk.test.ts b/packages/aws-serverless/test/sdk.test.ts
index ed25b69f49ef..648ef4caeaec 100644
--- a/packages/aws-serverless/test/sdk.test.ts
+++ b/packages/aws-serverless/test/sdk.test.ts
@@ -1,12 +1,8 @@
import type { Event } from '@sentry/core';
-import { SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN, SEMANTIC_ATTRIBUTE_SENTRY_SOURCE } from '@sentry/core';
import type { Callback, Handler } from 'aws-lambda';
import { beforeEach, describe, expect, test, vi } from 'vitest';
import { init, wrapHandler } from '../src/sdk';
-const mockSpanEnd = vi.fn();
-const mockStartInactiveSpan = vi.fn((...spanArgs) => ({ ...spanArgs }));
-const mockStartSpanManual = vi.fn((...spanArgs) => ({ ...spanArgs }));
const mockFlush = vi.fn((...args) => Promise.resolve(args));
const mockWithScope = vi.fn();
const mockCaptureMessage = vi.fn();
@@ -28,24 +24,15 @@ vi.mock('@sentry/node', async () => {
initWithoutDefaultIntegrations: (options: unknown) => {
mockInit(options);
},
- startInactiveSpan: (...args: unknown[]) => {
- mockStartInactiveSpan(...args);
- return { end: mockSpanEnd };
- },
- startSpanManual: (...args: unknown[]) => {
- mockStartSpanManual(...args);
- mockSpanEnd();
- return original.startSpanManual(...args);
- },
getCurrentScope: () => {
return mockScope;
},
flush: (...args: unknown[]) => {
return mockFlush(...args);
},
- withScope: (fn: (scope: unknown) => void) => {
+ withScope: (fn: (scope: unknown) => unknown) => {
mockWithScope(fn);
- fn(mockScope);
+ return fn(mockScope);
},
captureMessage: (...args: unknown[]) => {
mockCaptureMessage(...args);
@@ -82,13 +69,6 @@ const fakeCallback: Callback = (err, result) => {
};
function expectScopeSettings() {
- expect(mockScope.setTransactionName).toBeCalledTimes(1);
- expect(mockScope.setTransactionName).toBeCalledWith('functionName');
-
- expect(mockScope.setTag).toBeCalledWith('server_name', expect.anything());
-
- expect(mockScope.setTag).toBeCalledWith('url', 'awslambda:///functionName');
-
expect(mockScope.setContext).toBeCalledWith(
'aws.lambda',
expect.objectContaining({
@@ -138,7 +118,7 @@ describe('AWSLambda', () => {
const wrappedHandler = wrapHandler(handler);
await wrappedHandler(fakeEvent, fakeContext, fakeCallback);
- expect(mockWithScope).toBeCalledTimes(1);
+ expect(mockWithScope).toBeCalledTimes(2);
expect(mockCaptureMessage).toBeCalled();
expect(mockScope.setTag).toBeCalledWith('timeout', '1s');
});
@@ -154,7 +134,7 @@ describe('AWSLambda', () => {
});
await wrappedHandler(fakeEvent, fakeContext, fakeCallback);
- expect(mockWithScope).toBeCalledTimes(0);
+ expect(mockWithScope).toBeCalledTimes(1);
expect(mockCaptureMessage).not.toBeCalled();
expect(mockScope.setTag).not.toBeCalledWith('timeout', '1s');
});
@@ -211,25 +191,11 @@ describe('AWSLambda', () => {
expect(mockCaptureException).toHaveBeenNthCalledWith(2, error2, expect.any(Function));
expect(mockCaptureException).toBeCalledTimes(2);
});
-
- // "wrapHandler() ... successful execution" tests the default of startTrace enabled
- test('startTrace disabled', async () => {
- expect.assertions(3);
-
- const handler: Handler = async (_event, _context) => 42;
- const wrappedHandler = wrapHandler(handler, { startTrace: false });
- await wrappedHandler(fakeEvent, fakeContext, fakeCallback);
-
- expect(mockScope.addEventProcessor).toBeCalledTimes(0);
-
- expect(mockScope.setTag).toBeCalledTimes(0);
- expect(mockStartSpanManual).toBeCalledTimes(0);
- });
});
describe('wrapHandler() on sync handler', () => {
test('successful execution', async () => {
- expect.assertions(10);
+ expect.assertions(4);
const handler: Handler = (_event, _context, callback) => {
callback(null, 42);
@@ -237,25 +203,14 @@ describe('AWSLambda', () => {
const wrappedHandler = wrapHandler(handler);
const rv = await wrappedHandler(fakeEvent, fakeContext, fakeCallback);
- const fakeTransactionContext = {
- name: 'functionName',
- op: 'function.aws.lambda',
- attributes: {
- [SEMANTIC_ATTRIBUTE_SENTRY_SOURCE]: 'component',
- [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.serverless',
- },
- };
-
expect(rv).toStrictEqual(42);
- expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expectScopeSettings();
- expect(mockSpanEnd).toBeCalled();
expect(mockFlush).toBeCalledWith(2000);
});
test('unsuccessful execution', async () => {
- expect.assertions(10);
+ expect.assertions(4);
const error = new Error('sorry');
const handler: Handler = (_event, _context, callback) => {
@@ -266,20 +221,9 @@ describe('AWSLambda', () => {
try {
await wrappedHandler(fakeEvent, fakeContext, fakeCallback);
} catch {
- const fakeTransactionContext = {
- name: 'functionName',
- op: 'function.aws.lambda',
- attributes: {
- [SEMANTIC_ATTRIBUTE_SENTRY_SOURCE]: 'component',
- [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.serverless',
- },
- };
-
- expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expectScopeSettings();
expect(mockCaptureException).toBeCalledWith(error, expect.any(Function));
- expect(mockSpanEnd).toBeCalled();
expect(mockFlush).toBeCalledWith(2000);
}
});
@@ -297,7 +241,7 @@ describe('AWSLambda', () => {
});
test('capture error', async () => {
- expect.assertions(10);
+ expect.assertions(4);
const error = new Error('wat');
const handler: Handler = (_event, _context, _callback) => {
@@ -308,20 +252,9 @@ describe('AWSLambda', () => {
try {
await wrappedHandler(fakeEvent, fakeContext, fakeCallback);
} catch (e) {
- const fakeTransactionContext = {
- name: 'functionName',
- op: 'function.aws.lambda',
- attributes: {
- [SEMANTIC_ATTRIBUTE_SENTRY_SOURCE]: 'component',
- [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.serverless',
- },
- };
-
- expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expectScopeSettings();
expect(mockCaptureException).toBeCalledWith(e, expect.any(Function));
- expect(mockSpanEnd).toBeCalled();
expect(mockFlush).toBeCalled();
}
});
@@ -329,7 +262,7 @@ describe('AWSLambda', () => {
describe('wrapHandler() on async handler', () => {
test('successful execution', async () => {
- expect.assertions(10);
+ expect.assertions(4);
const handler: Handler = async (_event, _context) => {
return 42;
@@ -337,20 +270,9 @@ describe('AWSLambda', () => {
const wrappedHandler = wrapHandler(handler);
const rv = await wrappedHandler(fakeEvent, fakeContext, fakeCallback);
- const fakeTransactionContext = {
- name: 'functionName',
- op: 'function.aws.lambda',
- attributes: {
- [SEMANTIC_ATTRIBUTE_SENTRY_SOURCE]: 'component',
- [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.serverless',
- },
- };
-
expect(rv).toStrictEqual(42);
- expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expectScopeSettings();
- expect(mockSpanEnd).toBeCalled();
expect(mockFlush).toBeCalled();
});
@@ -366,7 +288,7 @@ describe('AWSLambda', () => {
});
test('capture error', async () => {
- expect.assertions(10);
+ expect.assertions(4);
const error = new Error('wat');
const handler: Handler = async (_event, _context) => {
@@ -377,20 +299,9 @@ describe('AWSLambda', () => {
try {
await wrappedHandler(fakeEvent, fakeContext, fakeCallback);
} catch {
- const fakeTransactionContext = {
- name: 'functionName',
- op: 'function.aws.lambda',
- attributes: {
- [SEMANTIC_ATTRIBUTE_SENTRY_SOURCE]: 'component',
- [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.serverless',
- },
- };
-
- expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expectScopeSettings();
expect(mockCaptureException).toBeCalledWith(error, expect.any(Function));
- expect(mockSpanEnd).toBeCalled();
expect(mockFlush).toBeCalled();
}
});
@@ -411,7 +322,7 @@ describe('AWSLambda', () => {
describe('wrapHandler() on async handler with a callback method (aka incorrect usage)', () => {
test('successful execution', async () => {
- expect.assertions(10);
+ expect.assertions(4);
const handler: Handler = async (_event, _context, _callback) => {
return 42;
@@ -419,20 +330,9 @@ describe('AWSLambda', () => {
const wrappedHandler = wrapHandler(handler);
const rv = await wrappedHandler(fakeEvent, fakeContext, fakeCallback);
- const fakeTransactionContext = {
- name: 'functionName',
- op: 'function.aws.lambda',
- attributes: {
- [SEMANTIC_ATTRIBUTE_SENTRY_SOURCE]: 'component',
- [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.serverless',
- },
- };
-
expect(rv).toStrictEqual(42);
- expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expectScopeSettings();
- expect(mockSpanEnd).toBeCalled();
expect(mockFlush).toBeCalled();
});
@@ -448,7 +348,7 @@ describe('AWSLambda', () => {
});
test('capture error', async () => {
- expect.assertions(10);
+ expect.assertions(4);
const error = new Error('wat');
const handler: Handler = async (_event, _context, _callback) => {
@@ -459,20 +359,9 @@ describe('AWSLambda', () => {
try {
await wrappedHandler(fakeEvent, fakeContext, fakeCallback);
} catch {
- const fakeTransactionContext = {
- name: 'functionName',
- op: 'function.aws.lambda',
- attributes: {
- [SEMANTIC_ATTRIBUTE_SENTRY_SOURCE]: 'component',
- [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.serverless',
- },
- };
-
- expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expectScopeSettings();
expect(mockCaptureException).toBeCalledWith(error, expect.any(Function));
- expect(mockSpanEnd).toBeCalled();
expect(mockFlush).toBeCalled();
}
});
@@ -492,7 +381,7 @@ describe('AWSLambda', () => {
} catch {
expect(mockCaptureException).toBeCalledWith(error, expect.any(Function));
- const scopeFunction = mockCaptureException.mock.calls[0][1];
+ const scopeFunction = mockCaptureException.mock.calls[0]?.[1];
const event: Event = { exception: { values: [{}] } };
let evtProcessor: ((e: Event) => Event) | undefined = undefined;
scopeFunction({ addEventProcessor: vi.fn().mockImplementation(proc => (evtProcessor = proc)) });
diff --git a/packages/browser/src/integrations/breadcrumbs.ts b/packages/browser/src/integrations/breadcrumbs.ts
index dfbfb581aeca..79022dc6e31e 100644
--- a/packages/browser/src/integrations/breadcrumbs.ts
+++ b/packages/browser/src/integrations/breadcrumbs.ts
@@ -73,7 +73,7 @@ const _breadcrumbsIntegration = ((options: Partial = {}) =>
return {
name: INTEGRATION_NAME,
setup(client) {
- // TODO(v10): Remove this functionality and use `consoleIntegration` from @sentry/core instead.
+ // TODO(v11): Remove this functionality and use `consoleIntegration` from @sentry/core instead.
if (_options.console) {
addConsoleInstrumentationHandler(_getConsoleBreadcrumbHandler(client));
}
diff --git a/packages/browser/src/integrations/globalhandlers.ts b/packages/browser/src/integrations/globalhandlers.ts
index 74e78c37679e..ebfdff6d2f58 100644
--- a/packages/browser/src/integrations/globalhandlers.ts
+++ b/packages/browser/src/integrations/globalhandlers.ts
@@ -72,7 +72,7 @@ function _installGlobalOnErrorHandler(client: Client): void {
originalException: error,
mechanism: {
handled: false,
- type: 'onerror',
+ type: 'auto.browser.global_handlers.onerror',
},
});
});
@@ -98,7 +98,7 @@ function _installGlobalOnUnhandledRejectionHandler(client: Client): void {
originalException: error,
mechanism: {
handled: false,
- type: 'onunhandledrejection',
+ type: 'auto.browser.global_handlers.onunhandledrejection',
},
});
});
diff --git a/packages/browser/src/sdk.ts b/packages/browser/src/sdk.ts
index 2101e4e36074..7b5d67c636ae 100644
--- a/packages/browser/src/sdk.ts
+++ b/packages/browser/src/sdk.ts
@@ -26,7 +26,7 @@ export function getDefaultIntegrations(_options: Options): Integration[] {
* `getDefaultIntegrations` but with an adjusted set of integrations.
*/
return [
- // TODO(v10): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
+ // TODO(v11): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
// eslint-disable-next-line deprecation/deprecation
inboundFiltersIntegration(),
functionToStringIntegration(),
diff --git a/packages/browser/src/stack-parsers.ts b/packages/browser/src/stack-parsers.ts
index d857b2e92b36..02c3a1f66af3 100644
--- a/packages/browser/src/stack-parsers.ts
+++ b/packages/browser/src/stack-parsers.ts
@@ -61,10 +61,22 @@ const chromeRegex =
const chromeEvalRegex = /\((\S*)(?::(\d+))(?::(\d+))\)/;
+// Matches stack frames with data URIs instead of filename so we can still get the function name
+// Example: "at dynamicFn (data:application/javascript,export function dynamicFn() {..."
+const chromeDataUriRegex = /at (.+?) ?\(data:(.+?),/;
+
// Chromium based browsers: Chrome, Brave, new Opera, new Edge
// We cannot call this variable `chrome` because it can conflict with global `chrome` variable in certain environments
// See: https://github.com/getsentry/sentry-javascript/issues/6880
const chromeStackParserFn: StackLineParserFn = line => {
+ const dataUriMatch = line.match(chromeDataUriRegex);
+ if (dataUriMatch) {
+ return {
+ filename: ``,
+ function: dataUriMatch[1],
+ };
+ }
+
// If the stack line has no function name, we need to parse it differently
const noFnParts = chromeRegexNoFnName.exec(line) as null | [string, string, string, string];
diff --git a/packages/browser/src/tracing/linkedTraces.ts b/packages/browser/src/tracing/linkedTraces.ts
index 9f383e72e5b8..330e193f80ef 100644
--- a/packages/browser/src/tracing/linkedTraces.ts
+++ b/packages/browser/src/tracing/linkedTraces.ts
@@ -193,8 +193,8 @@ export function addPreviousTraceSpanLink(
// TODO: Remove this once EAP can store span links. We currently only set this attribute so that we
// can obtain the previous trace information from the EAP store. Long-term, EAP will handle
- // span links and then we should remove this again. Also throwing in a TODO(v10), to remind us
- // to check this at v10 time :)
+ // span links and then we should remove this again. Also throwing in a TODO(v11), to remind us
+ // to check this at v11 time :)
span.setAttribute(
PREVIOUS_TRACE_TMP_SPAN_ATTRIBUTE,
`${previousTraceSpanCtx.traceId}-${previousTraceSpanCtx.spanId}-${
diff --git a/packages/browser/test/tracekit/chromium.test.ts b/packages/browser/test/tracekit/chromium.test.ts
index 71cb950c147d..9a1cbd0abbe9 100644
--- a/packages/browser/test/tracekit/chromium.test.ts
+++ b/packages/browser/test/tracekit/chromium.test.ts
@@ -741,4 +741,53 @@ describe('Tracekit - Chrome Tests', () => {
value: 'memory access out of bounds',
});
});
+
+ it('should correctly parse with data uris', () => {
+ const DATA_URI_ERROR = {
+ message: 'Error from data-uri module',
+ name: 'Error',
+ stack: `Error: Error from data-uri module
+ at dynamicFn (data:application/javascript,export function dynamicFn() { throw new Error('Error from data-uri module');};:1:38)
+ at loadDodgyModule (file:///Users/tim/Documents/Repositories/data-uri-tests/index.mjs:8:5)
+ at async callSomeFunction (file:///Users/tim/Documents/Repositories/data-uri-tests/index.mjs:12:5)
+ at async file:///Users/tim/Documents/Repositories/data-uri-tests/index.mjs:16:5`,
+ };
+
+ const ex = exceptionFromError(parser, DATA_URI_ERROR);
+
+ // This is really ugly but the wasm integration should clean up these stack frames
+ expect(ex).toStrictEqual({
+ stacktrace: {
+ frames: [
+ {
+ colno: 5,
+ filename: 'file:///Users/tim/Documents/Repositories/data-uri-tests/index.mjs',
+ function: '?',
+ in_app: true,
+ lineno: 16,
+ },
+ {
+ colno: 5,
+ filename: 'file:///Users/tim/Documents/Repositories/data-uri-tests/index.mjs',
+ function: 'async callSomeFunction',
+ in_app: true,
+ lineno: 12,
+ },
+ {
+ colno: 5,
+ filename: 'file:///Users/tim/Documents/Repositories/data-uri-tests/index.mjs',
+ function: 'loadDodgyModule',
+ in_app: true,
+ lineno: 8,
+ },
+ {
+ filename: '',
+ function: 'dynamicFn',
+ },
+ ],
+ },
+ type: 'Error',
+ value: 'Error from data-uri module',
+ });
+ });
});
diff --git a/packages/bun/src/sdk.ts b/packages/bun/src/sdk.ts
index 641567504818..bf0e6f58ee90 100644
--- a/packages/bun/src/sdk.ts
+++ b/packages/bun/src/sdk.ts
@@ -30,7 +30,7 @@ export function getDefaultIntegrations(_options: Options): Integration[] {
// We return a copy of the defaultIntegrations here to avoid mutating this
return [
// Common
- // TODO(v10): Replace with eventFiltersIntegration once we remove the deprecated `inboundFiltersIntegration`
+ // TODO(v11): Replace with eventFiltersIntegration once we remove the deprecated `inboundFiltersIntegration`
// eslint-disable-next-line deprecation/deprecation
inboundFiltersIntegration(),
functionToStringIntegration(),
diff --git a/packages/cloudflare/src/index.ts b/packages/cloudflare/src/index.ts
index a5bb99d40818..23e902c4dc2e 100644
--- a/packages/cloudflare/src/index.ts
+++ b/packages/cloudflare/src/index.ts
@@ -69,6 +69,7 @@ export {
functionToStringIntegration,
// eslint-disable-next-line deprecation/deprecation
inboundFiltersIntegration,
+ instrumentOpenAiClient,
eventFiltersIntegration,
linkedErrorsIntegration,
requestDataIntegration,
diff --git a/packages/cloudflare/src/sdk.ts b/packages/cloudflare/src/sdk.ts
index 58adf8f4e145..9d4fb8d749ae 100644
--- a/packages/cloudflare/src/sdk.ts
+++ b/packages/cloudflare/src/sdk.ts
@@ -25,13 +25,13 @@ export function getDefaultIntegrations(options: CloudflareOptions): Integration[
// The Dedupe integration should not be used in workflows because we want to
// capture all step failures, even if they are the same error.
...(options.enableDedupe === false ? [] : [dedupeIntegration()]),
- // TODO(v10): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
+ // TODO(v11): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
// eslint-disable-next-line deprecation/deprecation
inboundFiltersIntegration(),
functionToStringIntegration(),
linkedErrorsIntegration(),
fetchIntegration(),
- // TODO(v10): the `include` object should be defined directly in the integration based on `sendDefaultPii`
+ // TODO(v11): the `include` object should be defined directly in the integration based on `sendDefaultPii`
requestDataIntegration(sendDefaultPii ? undefined : { include: { cookies: false } }),
consoleIntegration(),
];
diff --git a/packages/core/src/client.ts b/packages/core/src/client.ts
index 8b03392106d9..88fab9107874 100644
--- a/packages/core/src/client.ts
+++ b/packages/core/src/client.ts
@@ -42,6 +42,7 @@ import { merge } from './utils/merge';
import { checkOrSetAlreadyCaught, uuid4 } from './utils/misc';
import { parseSampleRate } from './utils/parseSampleRate';
import { prepareEvent } from './utils/prepareEvent';
+import { reparentChildSpans, shouldIgnoreSpan } from './utils/should-ignore-span';
import { getActiveSpan, showSpanDropWarning, spanToTraceContext } from './utils/spanUtils';
import { rejectedSyncPromise, resolvedSyncPromise, SyncPromise } from './utils/syncpromise';
import { convertSpanJsonToTransactionEvent, convertTransactionEventToSpanJson } from './utils/transactionEvent';
@@ -1159,6 +1160,10 @@ export abstract class Client {
}
this.captureException(reason, {
+ mechanism: {
+ handled: false,
+ type: 'internal',
+ },
data: {
__sentry__: true,
},
@@ -1281,7 +1286,7 @@ function processBeforeSend(
event: Event,
hint: EventHint,
): PromiseLike | Event | null {
- const { beforeSend, beforeSendTransaction, beforeSendSpan } = options;
+ const { beforeSend, beforeSendTransaction, beforeSendSpan, ignoreSpans } = options;
let processedEvent = event;
if (isErrorEvent(processedEvent) && beforeSend) {
@@ -1289,28 +1294,59 @@ function processBeforeSend(
}
if (isTransactionEvent(processedEvent)) {
- if (beforeSendSpan) {
- // process root span
- const processedRootSpanJson = beforeSendSpan(convertTransactionEventToSpanJson(processedEvent));
- if (!processedRootSpanJson) {
- showSpanDropWarning();
- } else {
- // update event with processed root span values
- processedEvent = merge(event, convertSpanJsonToTransactionEvent(processedRootSpanJson));
+ // Avoid processing if we don't have to
+ if (beforeSendSpan || ignoreSpans) {
+ // 1. Process root span
+ const rootSpanJson = convertTransactionEventToSpanJson(processedEvent);
+
+ // 1.1 If the root span should be ignored, drop the whole transaction
+ if (ignoreSpans?.length && shouldIgnoreSpan(rootSpanJson, ignoreSpans)) {
+ // dropping the whole transaction!
+ return null;
}
- // process child spans
+ // 1.2 If a `beforeSendSpan` callback is defined, process the root span
+ if (beforeSendSpan) {
+ const processedRootSpanJson = beforeSendSpan(rootSpanJson);
+ if (!processedRootSpanJson) {
+ showSpanDropWarning();
+ } else {
+ // update event with processed root span values
+ processedEvent = merge(event, convertSpanJsonToTransactionEvent(processedRootSpanJson));
+ }
+ }
+
+ // 2. Process child spans
if (processedEvent.spans) {
const processedSpans: SpanJSON[] = [];
- for (const span of processedEvent.spans) {
- const processedSpan = beforeSendSpan(span);
- if (!processedSpan) {
- showSpanDropWarning();
- processedSpans.push(span);
+
+ const initialSpans = processedEvent.spans;
+
+ for (const span of initialSpans) {
+ // 2.a If the child span should be ignored, reparent it to the root span
+ if (ignoreSpans?.length && shouldIgnoreSpan(span, ignoreSpans)) {
+ reparentChildSpans(initialSpans, span);
+ continue;
+ }
+
+ // 2.b If a `beforeSendSpan` callback is defined, process the child span
+ if (beforeSendSpan) {
+ const processedSpan = beforeSendSpan(span);
+ if (!processedSpan) {
+ showSpanDropWarning();
+ processedSpans.push(span);
+ } else {
+ processedSpans.push(processedSpan);
+ }
} else {
- processedSpans.push(processedSpan);
+ processedSpans.push(span);
}
}
+
+ const droppedSpans = processedEvent.spans.length - processedSpans.length;
+ if (droppedSpans) {
+ client.recordDroppedEvent('before_send', 'span', droppedSpans);
+ }
processedEvent.spans = processedSpans;
}
}
diff --git a/packages/core/src/envelope.ts b/packages/core/src/envelope.ts
index dc094d218812..6ae8fa718638 100644
--- a/packages/core/src/envelope.ts
+++ b/packages/core/src/envelope.ts
@@ -26,6 +26,7 @@ import {
getSdkMetadataForEnvelopeHeader,
} from './utils/envelope';
import { uuid4 } from './utils/misc';
+import { shouldIgnoreSpan } from './utils/should-ignore-span';
import { showSpanDropWarning, spanToJSON } from './utils/spanUtils';
/**
@@ -122,7 +123,17 @@ export function createSpanEnvelope(spans: [SentrySpan, ...SentrySpan[]], client?
...(!!tunnel && dsn && { dsn: dsnToString(dsn) }),
};
- const beforeSendSpan = client?.getOptions().beforeSendSpan;
+ const { beforeSendSpan, ignoreSpans } = client?.getOptions() || {};
+
+ const filteredSpans = ignoreSpans?.length
+ ? spans.filter(span => !shouldIgnoreSpan(spanToJSON(span), ignoreSpans))
+ : spans;
+ const droppedSpans = spans.length - filteredSpans.length;
+
+ if (droppedSpans) {
+ client?.recordDroppedEvent('before_send', 'span', droppedSpans);
+ }
+
const convertToSpanJSON = beforeSendSpan
? (span: SentrySpan) => {
const spanJson = spanToJSON(span);
@@ -138,7 +149,7 @@ export function createSpanEnvelope(spans: [SentrySpan, ...SentrySpan[]], client?
: spanToJSON;
const items: SpanItem[] = [];
- for (const span of spans) {
+ for (const span of filteredSpans) {
const spanJson = convertToSpanJSON(span);
if (spanJson) {
items.push(createSpanEnvelopeItem(spanJson));
diff --git a/packages/core/src/integrations/requestdata.ts b/packages/core/src/integrations/requestdata.ts
index 767d2764002f..a72fbed70d7e 100644
--- a/packages/core/src/integrations/requestdata.ts
+++ b/packages/core/src/integrations/requestdata.ts
@@ -21,7 +21,7 @@ type RequestDataIntegrationOptions = {
include?: RequestDataIncludeOptions;
};
-// TODO(v10): Change defaults based on `sendDefaultPii`
+// TODO(v11): Change defaults based on `sendDefaultPii`
const DEFAULT_INCLUDE: RequestDataIncludeOptions = {
cookies: true,
data: true,
diff --git a/packages/core/src/types-hoist/options.ts b/packages/core/src/types-hoist/options.ts
index ce0851f940a5..142313b76c25 100644
--- a/packages/core/src/types-hoist/options.ts
+++ b/packages/core/src/types-hoist/options.ts
@@ -10,6 +10,32 @@ import type { StackLineParser, StackParser } from './stacktrace';
import type { TracePropagationTargets } from './tracing';
import type { BaseTransportOptions, Transport } from './transport';
+/**
+ * A filter object for ignoring spans.
+ * At least one of the properties (`op` or `name`) must be set.
+ */
+type IgnoreSpanFilter =
+ | {
+ /**
+ * Spans with a name matching this pattern will be ignored.
+ */
+ name: string | RegExp;
+ /**
+ * Spans with an op matching this pattern will be ignored.
+ */
+ op?: string | RegExp;
+ }
+ | {
+ /**
+ * Spans with a name matching this pattern will be ignored.
+ */
+ name?: string | RegExp;
+ /**
+ * Spans with an op matching this pattern will be ignored.
+ */
+ op: string | RegExp;
+ };
+
export interface ClientOptions {
/**
* Enable debug functionality in the SDK itself. If `debug` is set to `true` the SDK will attempt
@@ -208,6 +234,16 @@ export interface ClientOptions;
+ /**
+ * A list of span names or patterns to ignore.
+ *
+ * If you specify a pattern {@link IgnoreSpanFilter}, at least one
+ * of the properties (`op` or `name`) must be set.
+ *
+ * @default []
+ */
+ ignoreSpans?: (string | RegExp | IgnoreSpanFilter)[];
+
/**
* A URL to an envelope tunnel endpoint. An envelope tunnel is an HTTP endpoint
* that accepts Sentry envelopes for forwarding. This can be used to force data
diff --git a/packages/core/src/utils/openai/index.ts b/packages/core/src/utils/openai/index.ts
index 8bd1c3625782..3fb4f0d16fce 100644
--- a/packages/core/src/utils/openai/index.ts
+++ b/packages/core/src/utils/openai/index.ts
@@ -24,7 +24,6 @@ import type {
ChatCompletionChunk,
InstrumentedMethod,
OpenAiChatCompletionObject,
- OpenAiClient,
OpenAiIntegration,
OpenAiOptions,
OpenAiResponse,
@@ -294,7 +293,7 @@ function instrumentMethod(
/**
* Create a deep proxy for OpenAI client instrumentation
*/
-function createDeepProxy(target: object, currentPath = '', options?: OpenAiOptions): OpenAiClient {
+function createDeepProxy(target: T, currentPath = '', options?: OpenAiOptions): T {
return new Proxy(target, {
get(obj: object, prop: string): unknown {
const value = (obj as Record)[prop];
@@ -316,13 +315,13 @@ function createDeepProxy(target: object, currentPath = '', options?: OpenAiOptio
return value;
},
- });
+ }) as T;
}
/**
* Instrument an OpenAI client with Sentry tracing
* Can be used across Node.js, Cloudflare Workers, and Vercel Edge
*/
-export function instrumentOpenAiClient(client: OpenAiClient, options?: OpenAiOptions): OpenAiClient {
+export function instrumentOpenAiClient(client: T, options?: OpenAiOptions): T {
return createDeepProxy(client, '', options);
}
diff --git a/packages/core/src/utils/openai/types.ts b/packages/core/src/utils/openai/types.ts
index 7ac8fb8d7b91..daa478db4ba6 100644
--- a/packages/core/src/utils/openai/types.ts
+++ b/packages/core/src/utils/openai/types.ts
@@ -15,11 +15,11 @@ export type AttributeValue =
export interface OpenAiOptions {
/**
- * Enable or disable input recording. Enabled if `sendDefaultPii` is `true`
+ * Enable or disable input recording.
*/
recordInputs?: boolean;
/**
- * Enable or disable output recording. Enabled if `sendDefaultPii` is `true`
+ * Enable or disable output recording.
*/
recordOutputs?: boolean;
}
diff --git a/packages/core/src/utils/should-ignore-span.ts b/packages/core/src/utils/should-ignore-span.ts
new file mode 100644
index 000000000000..53aa109a18dc
--- /dev/null
+++ b/packages/core/src/utils/should-ignore-span.ts
@@ -0,0 +1,66 @@
+import type { ClientOptions } from '../types-hoist/options';
+import type { SpanJSON } from '../types-hoist/span';
+import { isMatchingPattern } from './string';
+
+/**
+ * Check if a span should be ignored based on the ignoreSpans configuration.
+ */
+export function shouldIgnoreSpan(
+ span: Pick,
+ ignoreSpans: Required['ignoreSpans'],
+): boolean {
+ if (!ignoreSpans?.length || !span.description) {
+ return false;
+ }
+
+ for (const pattern of ignoreSpans) {
+ if (isStringOrRegExp(pattern)) {
+ if (isMatchingPattern(span.description, pattern)) {
+ return true;
+ }
+ continue;
+ }
+
+ if (!pattern.name && !pattern.op) {
+ continue;
+ }
+
+ const nameMatches = pattern.name ? isMatchingPattern(span.description, pattern.name) : true;
+ const opMatches = pattern.op ? span.op && isMatchingPattern(span.op, pattern.op) : true;
+
+ // This check here is only correct because we can guarantee that we ran `isMatchingPattern`
+ // for at least one of `nameMatches` and `opMatches`. So in contrary to how this looks,
+ // not both op and name actually have to match. This is the most efficient way to check
+ // for all combinations of name and op patterns.
+ if (nameMatches && opMatches) {
+ return true;
+ }
+ }
+
+ return false;
+}
+
+/**
+ * Takes a list of spans, and a span that was dropped, and re-parents the child spans of the dropped span to the parent of the dropped span, if possible.
+ * This mutates the spans array in place!
+ */
+export function reparentChildSpans(spans: SpanJSON[], dropSpan: SpanJSON): void {
+ const droppedSpanParentId = dropSpan.parent_span_id;
+ const droppedSpanId = dropSpan.span_id;
+
+ // This should generally not happen, as we do not apply this on root spans
+ // but to be safe, we just bail in this case
+ if (!droppedSpanParentId) {
+ return;
+ }
+
+ for (const span of spans) {
+ if (span.parent_span_id === droppedSpanId) {
+ span.parent_span_id = droppedSpanParentId;
+ }
+ }
+}
+
+function isStringOrRegExp(value: unknown): value is string | RegExp {
+ return typeof value === 'string' || value instanceof RegExp;
+}
diff --git a/packages/core/src/utils/vercel-ai.ts b/packages/core/src/utils/vercel-ai.ts
index 9c20d49ea157..4ef437a1b922 100644
--- a/packages/core/src/utils/vercel-ai.ts
+++ b/packages/core/src/utils/vercel-ai.ts
@@ -60,13 +60,34 @@ function onVercelAiSpanStart(span: Span): void {
processGenerateSpan(span, name, attributes);
}
+interface TokenSummary {
+ inputTokens: number;
+ outputTokens: number;
+}
+
function vercelAiEventProcessor(event: Event): Event {
if (event.type === 'transaction' && event.spans) {
+ // Map to accumulate token data by parent span ID
+ const tokenAccumulator: Map = new Map();
+
+ // First pass: process all spans and accumulate token data
for (const span of event.spans) {
- // this mutates spans in-place
processEndedVercelAiSpan(span);
+
+ // Accumulate token data for parent spans
+ accumulateTokensForParent(span, tokenAccumulator);
+ }
+
+ // Second pass: apply accumulated token data to parent spans
+ for (const span of event.spans) {
+ if (span.op !== 'gen_ai.invoke_agent') {
+ continue;
+ }
+
+ applyAccumulatedTokens(span, tokenAccumulator);
}
}
+
return event;
}
/**
@@ -241,6 +262,56 @@ export function addVercelAiProcessors(client: Client): void {
client.addEventProcessor(Object.assign(vercelAiEventProcessor, { id: 'VercelAiEventProcessor' }));
}
+/**
+ * Accumulates token data from a span to its parent in the token accumulator map.
+ * This function extracts token usage from the current span and adds it to the
+ * accumulated totals for its parent span.
+ */
+function accumulateTokensForParent(span: SpanJSON, tokenAccumulator: Map): void {
+ const parentSpanId = span.parent_span_id;
+ if (!parentSpanId) {
+ return;
+ }
+
+ const inputTokens = span.data[GEN_AI_USAGE_INPUT_TOKENS_ATTRIBUTE];
+ const outputTokens = span.data[GEN_AI_USAGE_OUTPUT_TOKENS_ATTRIBUTE];
+
+ if (typeof inputTokens === 'number' || typeof outputTokens === 'number') {
+ const existing = tokenAccumulator.get(parentSpanId) || { inputTokens: 0, outputTokens: 0 };
+
+ if (typeof inputTokens === 'number') {
+ existing.inputTokens += inputTokens;
+ }
+ if (typeof outputTokens === 'number') {
+ existing.outputTokens += outputTokens;
+ }
+
+ tokenAccumulator.set(parentSpanId, existing);
+ }
+}
+
+/**
+ * Applies accumulated token data to the `gen_ai.invoke_agent` span.
+ * Only immediate children of the `gen_ai.invoke_agent` span are considered,
+ * since aggregation will automatically occur for each parent span.
+ */
+function applyAccumulatedTokens(span: SpanJSON, tokenAccumulator: Map): void {
+ const accumulated = tokenAccumulator.get(span.span_id);
+ if (!accumulated) {
+ return;
+ }
+
+ if (accumulated.inputTokens > 0) {
+ span.data[GEN_AI_USAGE_INPUT_TOKENS_ATTRIBUTE] = accumulated.inputTokens;
+ }
+ if (accumulated.outputTokens > 0) {
+ span.data[GEN_AI_USAGE_OUTPUT_TOKENS_ATTRIBUTE] = accumulated.outputTokens;
+ }
+ if (accumulated.inputTokens > 0 || accumulated.outputTokens > 0) {
+ span.data['gen_ai.usage.total_tokens'] = accumulated.inputTokens + accumulated.outputTokens;
+ }
+}
+
function addProviderMetadataToAttributes(attributes: SpanAttributes): void {
const providerMetadata = attributes[AI_RESPONSE_PROVIDER_METADATA_ATTRIBUTE] as string | undefined;
if (providerMetadata) {
diff --git a/packages/core/test/lib/client.test.ts b/packages/core/test/lib/client.test.ts
index 4b1c7a378114..6a7d0af22857 100644
--- a/packages/core/test/lib/client.test.ts
+++ b/packages/core/test/lib/client.test.ts
@@ -1046,6 +1046,178 @@ describe('Client', () => {
expect(capturedEvent.transaction).toEqual(transaction.transaction);
});
+ test('uses `ignoreSpans` to drop root spans', () => {
+ const options = getDefaultTestClientOptions({ dsn: PUBLIC_DSN, ignoreSpans: ['root span'] });
+ const client = new TestClient(options);
+
+ const captureExceptionSpy = vi.spyOn(client, 'captureException');
+ const loggerLogSpy = vi.spyOn(debugLoggerModule.debug, 'log');
+
+ const transaction: Event = {
+ transaction: 'root span',
+ type: 'transaction',
+ spans: [
+ {
+ description: 'first span',
+ span_id: '9e15bf99fbe4bc80',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ {
+ description: 'second span',
+ span_id: 'aa554c1f506b0783',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ ],
+ };
+ client.captureEvent(transaction);
+
+ expect(TestClient.instance!.event).toBeUndefined();
+ // This proves that the reason the event didn't send/didn't get set on the test client is not because there was an
+ // error, but because the event processor returned `null`
+ expect(captureExceptionSpy).not.toBeCalled();
+ expect(loggerLogSpy).toBeCalledWith('before send for type `transaction` returned `null`, will not send event.');
+ });
+
+ test('uses `ignoreSpans` to drop child spans', () => {
+ const options = getDefaultTestClientOptions({ dsn: PUBLIC_DSN, ignoreSpans: ['first span'] });
+ const client = new TestClient(options);
+ const recordDroppedEventSpy = vi.spyOn(client, 'recordDroppedEvent');
+
+ const transaction: Event = {
+ contexts: {
+ trace: {
+ span_id: 'root-span-id',
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ },
+ },
+ transaction: 'root span',
+ type: 'transaction',
+ spans: [
+ {
+ description: 'first span',
+ span_id: '9e15bf99fbe4bc80',
+ parent_span_id: 'root-span-id',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ {
+ description: 'second span',
+ span_id: 'aa554c1f506b0783',
+ parent_span_id: 'root-span-id',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ {
+ description: 'third span',
+ span_id: 'aa554c1f506b0784',
+ parent_span_id: '9e15bf99fbe4bc80',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ ],
+ };
+ client.captureEvent(transaction);
+
+ const capturedEvent = TestClient.instance!.event!;
+ expect(capturedEvent.spans).toEqual([
+ {
+ description: 'second span',
+ span_id: 'aa554c1f506b0783',
+ parent_span_id: 'root-span-id',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ {
+ description: 'third span',
+ span_id: 'aa554c1f506b0784',
+ parent_span_id: 'root-span-id',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ ]);
+ expect(recordDroppedEventSpy).toBeCalledWith('before_send', 'span', 1);
+ });
+
+ test('uses complex `ignoreSpans` to drop child spans', () => {
+ const options = getDefaultTestClientOptions({
+ dsn: PUBLIC_DSN,
+ ignoreSpans: [
+ {
+ name: 'first span',
+ },
+ {
+ name: 'span',
+ op: 'op1',
+ },
+ ],
+ });
+ const client = new TestClient(options);
+ const recordDroppedEventSpy = vi.spyOn(client, 'recordDroppedEvent');
+
+ const transaction: Event = {
+ contexts: {
+ trace: {
+ span_id: 'root-span-id',
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ },
+ },
+ transaction: 'root span',
+ type: 'transaction',
+ spans: [
+ {
+ description: 'first span',
+ span_id: '9e15bf99fbe4bc80',
+ parent_span_id: 'root-span-id',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ {
+ description: 'second span',
+ op: 'op1',
+ span_id: 'aa554c1f506b0783',
+ parent_span_id: 'root-span-id',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ {
+ description: 'third span',
+ op: 'other op',
+ span_id: 'aa554c1f506b0784',
+ parent_span_id: '9e15bf99fbe4bc80',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ ],
+ };
+ client.captureEvent(transaction);
+
+ const capturedEvent = TestClient.instance!.event!;
+ expect(capturedEvent.spans).toEqual([
+ {
+ description: 'third span',
+ op: 'other op',
+ span_id: 'aa554c1f506b0784',
+ parent_span_id: 'root-span-id',
+ start_timestamp: 1591603196.637835,
+ trace_id: '86f39e84263a4de99c326acab3bfe3bd',
+ data: {},
+ },
+ ]);
+ expect(recordDroppedEventSpy).toBeCalledWith('before_send', 'span', 2);
+ });
+
test('does not modify existing contexts for root span in `beforeSendSpan`', () => {
const beforeSendSpan = vi.fn((span: SpanJSON) => {
return {
@@ -1676,12 +1848,17 @@ describe('Client', () => {
client.captureEvent({ message: 'hello' }, {}, scope);
- expect(TestClient.instance!.event!.exception!.values![0]).toStrictEqual({ type: 'Error', value: 'sorry' });
+ expect(TestClient.instance!.event!.exception!.values![0]).toStrictEqual({
+ type: 'Error',
+ value: 'sorry',
+ mechanism: { type: 'internal', handled: false },
+ });
expect(captureExceptionSpy).toBeCalledWith(exception, {
data: {
__sentry__: true,
},
originalException: exception,
+ mechanism: { type: 'internal', handled: false },
});
expect(loggerWarnSpy).toBeCalledWith(
`Event processing pipeline threw an error, original event will not be sent. Details have been sent as a new event.\nReason: ${exception}`,
diff --git a/packages/core/test/lib/utils/should-ignore-span.test.ts b/packages/core/test/lib/utils/should-ignore-span.test.ts
new file mode 100644
index 000000000000..92dc0a1435ee
--- /dev/null
+++ b/packages/core/test/lib/utils/should-ignore-span.test.ts
@@ -0,0 +1,124 @@
+import { describe, expect, it } from 'vitest';
+import type { ClientOptions, SpanJSON } from '../../../src';
+import { reparentChildSpans, shouldIgnoreSpan } from '../../../src/utils/should-ignore-span';
+
+describe('shouldIgnoreSpan', () => {
+ it('should not ignore spans with empty ignoreSpans', () => {
+ const span = { description: 'test', op: 'test' };
+ const ignoreSpans = [] as Required['ignoreSpans'];
+ expect(shouldIgnoreSpan(span, ignoreSpans)).toBe(false);
+ });
+
+ describe('string patterns', () => {
+ it.each([
+ ['test', 'test', true],
+ ['test', 'test2', false],
+ ['test2', 'test', true],
+ ])('should ignore spans with description %s & ignoreSpans=%s', (description, ignoreSpansPattern, expected) => {
+ const span = { description, op: 'default' };
+ const ignoreSpans = [ignoreSpansPattern];
+ expect(shouldIgnoreSpan(span, ignoreSpans)).toBe(expected);
+ });
+ });
+
+ describe('regex patterns', () => {
+ it.each([
+ ['test', /test/, true],
+ ['test', /test2/, false],
+ ['test2', /test/, true],
+ ])('should ignore spans with description %s & ignoreSpans=%s', (description, ignoreSpansPattern, expected) => {
+ const span = { description, op: 'default' };
+ const ignoreSpans = [ignoreSpansPattern];
+ expect(shouldIgnoreSpan(span, ignoreSpans)).toBe(expected);
+ });
+ });
+
+ describe('complex patterns', () => {
+ it.each([
+ [{ name: 'test' }, true],
+ [{ name: 'test2' }, false],
+ [{ op: 'test' }, true],
+ [{ op: 'test2' }, false],
+ [{ name: 'test', op: 'test' }, true],
+ [{ name: 'test2', op: 'test' }, false],
+ [{ name: 'test', op: 'test2' }, false],
+ [{ name: 'test2', op: 'test2' }, false],
+ [{ name: 'test', op: 'test2' }, false],
+ ])('should ignore spans with description %s & ignoreSpans=%s', (ignoreSpansPattern, expected) => {
+ const span = { description: 'test span name', op: 'test span op' };
+ const ignoreSpans = [ignoreSpansPattern];
+ expect(shouldIgnoreSpan(span, ignoreSpans)).toBe(expected);
+ });
+ });
+
+ it('works with multiple patterns', () => {
+ const ignoreSpans = ['test', /test2/, { op: 'test2' }];
+
+ // All of these are ignored because the name matches
+ const span1 = { description: 'test span name', op: 'test span op' };
+ const span2 = { description: 'test span name2', op: 'test span op2' };
+ const span3 = { description: 'test span name3', op: 'test span op3' };
+ const span4 = { description: 'test span name4', op: 'test span op4' };
+
+ expect(shouldIgnoreSpan(span1, ignoreSpans)).toBe(true);
+ expect(shouldIgnoreSpan(span2, ignoreSpans)).toBe(true);
+ expect(shouldIgnoreSpan(span3, ignoreSpans)).toBe(true);
+ expect(shouldIgnoreSpan(span4, ignoreSpans)).toBe(true);
+
+ // All of these are ignored because the op matches
+ const span5 = { description: 'custom 1', op: 'test2' };
+ const span6 = { description: 'custom 2', op: 'test2' };
+ const span7 = { description: 'custom 3', op: 'test2' };
+ const span8 = { description: 'custom 4', op: 'test2' };
+
+ expect(shouldIgnoreSpan(span5, ignoreSpans)).toBe(true);
+ expect(shouldIgnoreSpan(span6, ignoreSpans)).toBe(true);
+ expect(shouldIgnoreSpan(span7, ignoreSpans)).toBe(true);
+ expect(shouldIgnoreSpan(span8, ignoreSpans)).toBe(true);
+
+ // None of these are ignored because the name and op don't match
+ const span9 = { description: 'custom 5', op: 'test' };
+ const span10 = { description: 'custom 6', op: 'test' };
+ const span11 = { description: 'custom 7', op: 'test' };
+ const span12 = { description: 'custom 8', op: 'test' };
+
+ expect(shouldIgnoreSpan(span9, ignoreSpans)).toBe(false);
+ expect(shouldIgnoreSpan(span10, ignoreSpans)).toBe(false);
+ expect(shouldIgnoreSpan(span11, ignoreSpans)).toBe(false);
+ expect(shouldIgnoreSpan(span12, ignoreSpans)).toBe(false);
+ });
+});
+
+describe('reparentChildSpans', () => {
+ it('should ignore dropped root spans', () => {
+ const span1 = { span_id: '1' } as SpanJSON;
+ const span2 = { span_id: '2', parent_span_id: '1' } as SpanJSON;
+ const span3 = { span_id: '3', parent_span_id: '2' } as SpanJSON;
+
+ const spans = [span1, span2, span3];
+
+ reparentChildSpans(spans, span1);
+
+ expect(spans).toEqual([span1, span2, span3]);
+ expect(span1.parent_span_id).toBeUndefined();
+ expect(span2.parent_span_id).toBe('1');
+ expect(span3.parent_span_id).toBe('2');
+ });
+
+ it('should reparent child spans of the dropped span', () => {
+ const span1 = { span_id: '1' } as SpanJSON;
+ const span2 = { span_id: '2', parent_span_id: '1' } as SpanJSON;
+ const span3 = { span_id: '3', parent_span_id: '2' } as SpanJSON;
+ const span4 = { span_id: '4', parent_span_id: '3' } as SpanJSON;
+
+ const spans = [span1, span2, span3, span4];
+
+ reparentChildSpans(spans, span2);
+
+ expect(spans).toEqual([span1, span2, span3, span4]);
+ expect(span1.parent_span_id).toBeUndefined();
+ expect(span2.parent_span_id).toBe('1');
+ expect(span3.parent_span_id).toBe('1');
+ expect(span4.parent_span_id).toBe('3');
+ });
+});
diff --git a/packages/deno/src/integrations/breadcrumbs.ts b/packages/deno/src/integrations/breadcrumbs.ts
index 47a04b08fc93..1919cbbd9a67 100644
--- a/packages/deno/src/integrations/breadcrumbs.ts
+++ b/packages/deno/src/integrations/breadcrumbs.ts
@@ -42,7 +42,7 @@ const _breadcrumbsIntegration = ((options: Partial = {}) =>
return {
name: INTEGRATION_NAME,
setup(client) {
- // TODO(v10): Remove this functionality and use `consoleIntegration` from @sentry/core instead.
+ // TODO(v11): Remove this functionality and use `consoleIntegration` from @sentry/core instead.
if (_options.console) {
addConsoleInstrumentationHandler(_getConsoleBreadcrumbHandler(client));
}
diff --git a/packages/deno/src/sdk.ts b/packages/deno/src/sdk.ts
index 588d417f5ed9..955417842f94 100644
--- a/packages/deno/src/sdk.ts
+++ b/packages/deno/src/sdk.ts
@@ -24,7 +24,7 @@ export function getDefaultIntegrations(_options: Options): Integration[] {
// We return a copy of the defaultIntegrations here to avoid mutating this
return [
// Common
- // TODO(v10): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
+ // TODO(v11): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
// eslint-disable-next-line deprecation/deprecation
inboundFiltersIntegration(),
functionToStringIntegration(),
diff --git a/packages/feedback/src/core/sendFeedback.ts b/packages/feedback/src/core/sendFeedback.ts
index f3ae1504f9b4..712da5c269bf 100644
--- a/packages/feedback/src/core/sendFeedback.ts
+++ b/packages/feedback/src/core/sendFeedback.ts
@@ -46,29 +46,18 @@ export const sendFeedback: SendFeedback = (
cleanup();
// Require valid status codes, otherwise can assume feedback was not sent successfully
- if (
- response &&
- typeof response.statusCode === 'number' &&
- response.statusCode >= 200 &&
- response.statusCode < 300
- ) {
+ if (response?.statusCode && response.statusCode >= 200 && response.statusCode < 300) {
return resolve(eventId);
}
- if (response && typeof response.statusCode === 'number' && response.statusCode === 0) {
+ if (response?.statusCode === 403) {
return reject(
- 'Unable to send Feedback. This is because of network issues, or because you are using an ad-blocker.',
- );
- }
-
- if (response && typeof response.statusCode === 'number' && response.statusCode === 403) {
- return reject(
- 'Unable to send Feedback. This could be because this domain is not in your list of allowed domains.',
+ 'Unable to send feedback. This could be because this domain is not in your list of allowed domains.',
);
}
return reject(
- 'Unable to send Feedback. This could be because of network issues, or because you are using an ad-blocker',
+ 'Unable to send feedback. This could be because of network issues, or because you are using an ad-blocker.',
);
});
});
diff --git a/packages/feedback/test/core/sendFeedback.test.ts b/packages/feedback/test/core/sendFeedback.test.ts
index 2d728e710178..a0cbb084da59 100644
--- a/packages/feedback/test/core/sendFeedback.test.ts
+++ b/packages/feedback/test/core/sendFeedback.test.ts
@@ -280,7 +280,7 @@ describe('sendFeedback', () => {
message: 'mi',
}),
).rejects.toMatch(
- 'Unable to send Feedback. This could be because of network issues, or because you are using an ad-blocker',
+ 'Unable to send feedback. This could be because of network issues, or because you are using an ad-blocker.',
);
});
@@ -297,7 +297,24 @@ describe('sendFeedback', () => {
message: 'mi',
}),
).rejects.toMatch(
- 'Unable to send Feedback. This is because of network issues, or because you are using an ad-blocker.',
+ 'Unable to send feedback. This could be because of network issues, or because you are using an ad-blocker.',
+ );
+ });
+
+ it('handles 403 transport error', async () => {
+ mockSdk();
+ vi.spyOn(getClient()!.getTransport()!, 'send').mockImplementation(() => {
+ return Promise.resolve({ statusCode: 403 });
+ });
+
+ await expect(
+ sendFeedback({
+ name: 'doe',
+ email: 're@example.org',
+ message: 'mi',
+ }),
+ ).rejects.toMatch(
+ 'Unable to send feedback. This could be because this domain is not in your list of allowed domains.',
);
});
diff --git a/packages/gatsby/package.json b/packages/gatsby/package.json
index 7ad06f4e632e..4f6c40a2f58e 100644
--- a/packages/gatsby/package.json
+++ b/packages/gatsby/package.json
@@ -47,7 +47,7 @@
"dependencies": {
"@sentry/core": "10.1.0",
"@sentry/react": "10.1.0",
- "@sentry/webpack-plugin": "^4.0.0"
+ "@sentry/webpack-plugin": "^4.0.2"
},
"peerDependencies": {
"gatsby": "^2.0.0 || ^3.0.0 || ^4.0.0 || ^5.0.0",
diff --git a/packages/google-cloud-serverless/src/gcpfunction/cloud_events.ts b/packages/google-cloud-serverless/src/gcpfunction/cloud_events.ts
index a5e9f886165d..538da163004c 100644
--- a/packages/google-cloud-serverless/src/gcpfunction/cloud_events.ts
+++ b/packages/google-cloud-serverless/src/gcpfunction/cloud_events.ts
@@ -49,7 +49,7 @@ function _wrapCloudEventFunction(
const newCallback = domainify((...args: unknown[]) => {
if (args[0] !== null && args[0] !== undefined) {
- captureException(args[0], scope => markEventUnhandled(scope));
+ captureException(args[0], scope => markEventUnhandled(scope, 'auto.function.serverless.gcp_cloud_event'));
}
span.end();
@@ -69,7 +69,7 @@ function _wrapCloudEventFunction(
return handleCallbackErrors(
() => (fn as CloudEventFunctionWithCallback)(context, newCallback),
err => {
- captureException(err, scope => markEventUnhandled(scope));
+ captureException(err, scope => markEventUnhandled(scope, 'auto.function.serverless.gcp_cloud_event'));
},
);
}
diff --git a/packages/google-cloud-serverless/src/gcpfunction/events.ts b/packages/google-cloud-serverless/src/gcpfunction/events.ts
index 2fece298ea05..bd320e7ca870 100644
--- a/packages/google-cloud-serverless/src/gcpfunction/events.ts
+++ b/packages/google-cloud-serverless/src/gcpfunction/events.ts
@@ -52,7 +52,7 @@ function _wrapEventFunction
const newCallback = domainify((...args: unknown[]) => {
if (args[0] !== null && args[0] !== undefined) {
- captureException(args[0], scope => markEventUnhandled(scope));
+ captureException(args[0], scope => markEventUnhandled(scope, 'auto.function.serverless.gcp_event'));
}
span.end();
@@ -72,7 +72,7 @@ function _wrapEventFunction
return handleCallbackErrors(
() => (fn as EventFunctionWithCallback)(data, context, newCallback),
err => {
- captureException(err, scope => markEventUnhandled(scope));
+ captureException(err, scope => markEventUnhandled(scope, 'auto.function.serverless.gcp_event'));
},
);
}
diff --git a/packages/google-cloud-serverless/src/gcpfunction/http.ts b/packages/google-cloud-serverless/src/gcpfunction/http.ts
index 46683372fa53..b5d5f011e3a8 100644
--- a/packages/google-cloud-serverless/src/gcpfunction/http.ts
+++ b/packages/google-cloud-serverless/src/gcpfunction/http.ts
@@ -78,7 +78,7 @@ function _wrapHttpFunction(fn: HttpFunction, options: Partial):
return handleCallbackErrors(
() => fn(req, res),
err => {
- captureException(err, scope => markEventUnhandled(scope));
+ captureException(err, scope => markEventUnhandled(scope, 'auto.function.serverless.gcp_http'));
},
);
},
diff --git a/packages/google-cloud-serverless/src/utils.ts b/packages/google-cloud-serverless/src/utils.ts
index cdefdb460ee3..d1d1b672bbae 100644
--- a/packages/google-cloud-serverless/src/utils.ts
+++ b/packages/google-cloud-serverless/src/utils.ts
@@ -43,9 +43,9 @@ export function proxyFunction R>(
/**
* Marks an event as unhandled by adding a span processor to the passed scope.
*/
-export function markEventUnhandled(scope: Scope): Scope {
+export function markEventUnhandled(scope: Scope, type: string): Scope {
scope.addEventProcessor(event => {
- addExceptionMechanism(event, { handled: false });
+ addExceptionMechanism(event, { handled: false, type });
return event;
});
diff --git a/packages/google-cloud-serverless/test/gcpfunction/cloud_event.test.ts b/packages/google-cloud-serverless/test/gcpfunction/cloud_event.test.ts
index 4d34e630814c..0cb6d502e934 100644
--- a/packages/google-cloud-serverless/test/gcpfunction/cloud_event.test.ts
+++ b/packages/google-cloud-serverless/test/gcpfunction/cloud_event.test.ts
@@ -134,6 +134,19 @@ describe('wrapCloudEventFunction', () => {
expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expect(mockCaptureException).toBeCalledWith(error, expect.any(Function));
+
+ const scopeFunction = mockCaptureException.mock.calls[0][1];
+ const event: Event = { exception: { values: [{}] } };
+ let evtProcessor: ((e: Event) => Event) | undefined = undefined;
+ scopeFunction({ addEventProcessor: vi.fn().mockImplementation(proc => (evtProcessor = proc)) });
+
+ expect(evtProcessor).toBeInstanceOf(Function);
+ // @ts-expect-error just mocking around...
+ expect(evtProcessor(event).exception.values[0]?.mechanism).toEqual({
+ handled: false,
+ type: 'auto.function.serverless.gcp_cloud_event',
+ });
+
expect(mockSpan.end).toBeCalled();
expect(mockFlush).toBeCalled();
});
@@ -158,6 +171,19 @@ describe('wrapCloudEventFunction', () => {
expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expect(mockCaptureException).toBeCalledWith(error, expect.any(Function));
+
+ const scopeFunction = mockCaptureException.mock.calls[0][1];
+ const event: Event = { exception: { values: [{}] } };
+ let evtProcessor: ((e: Event) => Event) | undefined = undefined;
+ scopeFunction({ addEventProcessor: vi.fn().mockImplementation(proc => (evtProcessor = proc)) });
+
+ expect(evtProcessor).toBeInstanceOf(Function);
+ // @ts-expect-error just mocking around...
+ expect(evtProcessor(event).exception.values[0]?.mechanism).toEqual({
+ handled: false,
+ type: 'auto.function.serverless.gcp_cloud_event',
+ });
+
expect(mockSpan.end).toBeCalled();
expect(mockFlush).toBeCalled();
});
@@ -204,6 +230,19 @@ describe('wrapCloudEventFunction', () => {
expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expect(mockCaptureException).toBeCalledWith(error, expect.any(Function));
+
+ const scopeFunction = mockCaptureException.mock.calls[0][1];
+ const event: Event = { exception: { values: [{}] } };
+ let evtProcessor: ((e: Event) => Event) | undefined = undefined;
+ scopeFunction({ addEventProcessor: vi.fn().mockImplementation(proc => (evtProcessor = proc)) });
+
+ expect(evtProcessor).toBeInstanceOf(Function);
+ // @ts-expect-error just mocking around...
+ expect(evtProcessor(event).exception.values[0]?.mechanism).toEqual({
+ handled: false,
+ type: 'auto.function.serverless.gcp_cloud_event',
+ });
+
expect(mockSpan.end).toBeCalled();
expect(mockFlush).toBeCalled();
});
@@ -227,6 +266,18 @@ describe('wrapCloudEventFunction', () => {
expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expect(mockCaptureException).toBeCalledWith(error, expect.any(Function));
+
+ const scopeFunction = mockCaptureException.mock.calls[0][1];
+ const event: Event = { exception: { values: [{}] } };
+ let evtProcessor: ((e: Event) => Event) | undefined = undefined;
+ scopeFunction({ addEventProcessor: vi.fn().mockImplementation(proc => (evtProcessor = proc)) });
+
+ expect(evtProcessor).toBeInstanceOf(Function);
+ // @ts-expect-error just mocking around...
+ expect(evtProcessor(event).exception.values[0]?.mechanism).toEqual({
+ handled: false,
+ type: 'auto.function.serverless.gcp_cloud_event',
+ });
});
});
diff --git a/packages/google-cloud-serverless/test/gcpfunction/events.test.ts b/packages/google-cloud-serverless/test/gcpfunction/events.test.ts
index e3e8ed70897c..7cb41a3c36e9 100644
--- a/packages/google-cloud-serverless/test/gcpfunction/events.test.ts
+++ b/packages/google-cloud-serverless/test/gcpfunction/events.test.ts
@@ -245,7 +245,7 @@ describe('wrapEventFunction', () => {
// @ts-expect-error just mocking around...
expect(evtProcessor(event).exception.values[0]?.mechanism).toEqual({
handled: false,
- type: 'generic',
+ type: 'auto.function.serverless.gcp_event',
});
});
diff --git a/packages/google-cloud-serverless/test/gcpfunction/http.test.ts b/packages/google-cloud-serverless/test/gcpfunction/http.test.ts
index ca7a3f4d6c60..73cd262144e0 100644
--- a/packages/google-cloud-serverless/test/gcpfunction/http.test.ts
+++ b/packages/google-cloud-serverless/test/gcpfunction/http.test.ts
@@ -125,6 +125,19 @@ describe('GCPFunction', () => {
expect(mockStartSpanManual).toBeCalledWith(fakeTransactionContext, expect.any(Function));
expect(mockCaptureException).toBeCalledWith(error, expect.any(Function));
+
+ const scopeFunction = mockCaptureException.mock.calls[0][1];
+ const event: Event = { exception: { values: [{}] } };
+ let evtProcessor: ((e: Event) => Event) | undefined = undefined;
+ scopeFunction({ addEventProcessor: vi.fn().mockImplementation(proc => (evtProcessor = proc)) });
+
+ expect(evtProcessor).toBeInstanceOf(Function);
+ // @ts-expect-error just mocking around...
+ expect(evtProcessor(event).exception.values[0]?.mechanism).toEqual({
+ handled: false,
+ type: 'auto.function.serverless.gcp_http',
+ });
+
expect(mockSpan.end).toBeCalled();
expect(mockFlush).toBeCalled();
});
diff --git a/packages/nestjs/src/decorators.ts b/packages/nestjs/src/decorators.ts
index 7ac4941be877..449c884b1008 100644
--- a/packages/nestjs/src/decorators.ts
+++ b/packages/nestjs/src/decorators.ts
@@ -1,5 +1,10 @@
import type { MonitorConfig } from '@sentry/core';
-import { captureException, isThenable } from '@sentry/core';
+import {
+ captureException,
+ isThenable,
+ SEMANTIC_ATTRIBUTE_SENTRY_OP,
+ SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN,
+} from '@sentry/core';
import * as Sentry from '@sentry/node';
import { startSpan } from '@sentry/node';
import { isExpectedError } from './helpers';
@@ -52,6 +57,10 @@ export function SentryTraced(op: string = 'function') {
{
op: op,
name: propertyKey,
+ attributes: {
+ [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.nestjs.sentry_traced',
+ [SEMANTIC_ATTRIBUTE_SENTRY_OP]: op,
+ },
},
() => {
return originalMethod.apply(this, args);
diff --git a/packages/nestjs/test/decorators.test.ts b/packages/nestjs/test/decorators.test.ts
index 329f2fbe8fa4..07bd8922f373 100644
--- a/packages/nestjs/test/decorators.test.ts
+++ b/packages/nestjs/test/decorators.test.ts
@@ -1,5 +1,6 @@
import 'reflect-metadata';
import * as core from '@sentry/core';
+import { SEMANTIC_ATTRIBUTE_SENTRY_OP, SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN } from '@sentry/core';
import { beforeEach, describe, expect, it, vi } from 'vitest';
import { SentryCron, SentryExceptionCaptured, SentryTraced } from '../src/decorators';
import * as helpers from '../src/helpers';
@@ -38,6 +39,10 @@ describe('SentryTraced decorator', () => {
{
op: 'test-operation',
name: 'testMethod',
+ attributes: {
+ [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.nestjs.sentry_traced',
+ [SEMANTIC_ATTRIBUTE_SENTRY_OP]: 'test-operation',
+ },
},
expect.any(Function),
);
@@ -67,6 +72,10 @@ describe('SentryTraced decorator', () => {
{
op: 'function', // default value
name: 'testDefaultOp',
+ attributes: {
+ [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.nestjs.sentry_traced',
+ [SEMANTIC_ATTRIBUTE_SENTRY_OP]: 'function',
+ },
},
expect.any(Function),
);
@@ -96,6 +105,10 @@ describe('SentryTraced decorator', () => {
{
op: 'sync-operation',
name: 'syncMethod',
+ attributes: {
+ [SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN]: 'auto.function.nestjs.sentry_traced',
+ [SEMANTIC_ATTRIBUTE_SENTRY_OP]: 'sync-operation',
+ },
},
expect.any(Function),
);
diff --git a/packages/nextjs/package.json b/packages/nextjs/package.json
index 3b1986a10754..57a1076d6cf3 100644
--- a/packages/nextjs/package.json
+++ b/packages/nextjs/package.json
@@ -85,7 +85,7 @@
"@sentry/opentelemetry": "10.1.0",
"@sentry/react": "10.1.0",
"@sentry/vercel-edge": "10.1.0",
- "@sentry/webpack-plugin": "^4.0.0",
+ "@sentry/webpack-plugin": "^4.0.2",
"chalk": "3.0.0",
"resolve": "1.22.8",
"rollup": "^4.35.0",
diff --git a/packages/node-core/src/integrations/context.ts b/packages/node-core/src/integrations/context.ts
index f30361afd77b..d763ead2fd26 100644
--- a/packages/node-core/src/integrations/context.ts
+++ b/packages/node-core/src/integrations/context.ts
@@ -61,7 +61,7 @@ const _nodeContextIntegration = ((options: ContextOptions = {}) => {
const updatedContext = _updateContext(await cachedContext);
- // TODO(v10): conditional with `sendDefaultPii` here?
+ // TODO(v11): conditional with `sendDefaultPii` here?
event.contexts = {
...event.contexts,
app: { ...updatedContext.app, ...event.contexts?.app },
diff --git a/packages/node-core/src/sdk/index.ts b/packages/node-core/src/sdk/index.ts
index 7d9bf6e90fd7..eb2807193b9b 100644
--- a/packages/node-core/src/sdk/index.ts
+++ b/packages/node-core/src/sdk/index.ts
@@ -46,7 +46,7 @@ import { maybeInitializeEsmLoader } from './esmLoader';
export function getDefaultIntegrations(): Integration[] {
return [
// Common
- // TODO(v10): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
+ // TODO(v11): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
// eslint-disable-next-line deprecation/deprecation
inboundFiltersIntegration(),
functionToStringIntegration(),
diff --git a/packages/node-core/src/transports/http.ts b/packages/node-core/src/transports/http.ts
index ab0754eb4487..49897dfa22b1 100644
--- a/packages/node-core/src/transports/http.ts
+++ b/packages/node-core/src/transports/http.ts
@@ -72,7 +72,7 @@ export function makeNodeTransport(options: NodeTransportOptions): Transport {
const nativeHttpModule = isHttps ? https : http;
const keepAlive = options.keepAlive === undefined ? false : options.keepAlive;
- // TODO(v10): Evaluate if we can set keepAlive to true. This would involve testing for memory leaks in older node
+ // TODO(v11): Evaluate if we can set keepAlive to true. This would involve testing for memory leaks in older node
// versions(>= 8) as they had memory leaks when using it: #2555
const agent = proxy
? (new HttpsProxyAgent(proxy) as http.Agent)
diff --git a/packages/node/package.json b/packages/node/package.json
index 6c73927550b2..ff402e3a4768 100644
--- a/packages/node/package.json
+++ b/packages/node/package.json
@@ -94,7 +94,7 @@
"@opentelemetry/resources": "^2.0.0",
"@opentelemetry/sdk-trace-base": "^2.0.0",
"@opentelemetry/semantic-conventions": "^1.34.0",
- "@prisma/instrumentation": "6.12.0",
+ "@prisma/instrumentation": "6.13.0",
"@sentry/core": "10.1.0",
"@sentry/node-core": "10.1.0",
"@sentry/opentelemetry": "10.1.0",
diff --git a/packages/node/src/integrations/tracing/openai/instrumentation.ts b/packages/node/src/integrations/tracing/openai/instrumentation.ts
index 714c0f872261..76385009f5ba 100644
--- a/packages/node/src/integrations/tracing/openai/instrumentation.ts
+++ b/packages/node/src/integrations/tracing/openai/instrumentation.ts
@@ -96,6 +96,23 @@ export class SentryOpenAiInstrumentation extends InstrumentationBase {
nitroApp.hooks.hook('error', sentryCaptureErrorHook);
// @ts-expect-error - 'render:html' is a valid hook name in the Nuxt context
- nitroApp.hooks.hook('render:html', (html: NuxtRenderHTMLContext) => {
- addSentryTracingMetaTags(html.head);
+ nitroApp.hooks.hook('render:html', (html: NuxtRenderHTMLContext, { event }: { event: H3Event }) => {
+ const headers = event.node.res?.getHeaders() || {};
+
+ const isPreRenderedPage = Object.keys(headers).includes('x-nitro-prerender');
+ // eslint-disable-next-line @typescript-eslint/no-unsafe-member-access
+ const isSWRCachedPage = event?.context?.cache?.options.swr as boolean | undefined;
+
+ if (!isPreRenderedPage && !isSWRCachedPage) {
+ addSentryTracingMetaTags(html.head);
+ } else {
+ const reason = isPreRenderedPage ? 'the page was pre-rendered' : 'SWR caching is enabled for the route';
+ debug.log(
+ `Not adding Sentry tracing meta tags to HTML for ${event.path} because ${reason}. This will disable distributed tracing and prevent connecting multiple client page loads to the same server request.`,
+ );
+ }
});
});
diff --git a/packages/nuxt/src/vite/sourceMaps.ts b/packages/nuxt/src/vite/sourceMaps.ts
index 0e35ba1175ce..e5a3aae27ebe 100644
--- a/packages/nuxt/src/vite/sourceMaps.ts
+++ b/packages/nuxt/src/vite/sourceMaps.ts
@@ -1,5 +1,4 @@
import type { Nuxt } from '@nuxt/schema';
-import { consoleSandbox } from '@sentry/core';
import { type SentryRollupPluginOptions, sentryRollupPlugin } from '@sentry/rollup-plugin';
import { type SentryVitePluginOptions, sentryVitePlugin } from '@sentry/vite-plugin';
import type { NitroConfig } from 'nitropack';
@@ -57,11 +56,9 @@ export function setupSourceMaps(moduleOptions: SentryNuxtModuleOptions, nuxt: Nu
!sourceMapsUploadOptions.sourcemaps?.filesToDeleteAfterUpload &&
(shouldDeleteFilesFallback.client || shouldDeleteFilesFallback.server)
) {
- consoleSandbox(() =>
- // eslint-disable-next-line no-console
- console.log(
- "[Sentry] As Sentry enabled `'hidden'` source maps, source maps will be automatically deleted after uploading them to Sentry.",
- ),
+ // eslint-disable-next-line no-console
+ console.log(
+ "[Sentry] As Sentry enabled `'hidden'` source maps, source maps will be automatically deleted after uploading them to Sentry.",
);
}
}
@@ -84,15 +81,13 @@ export function setupSourceMaps(moduleOptions: SentryNuxtModuleOptions, nuxt: Nu
});
if (isDebug) {
- consoleSandbox(() => {
- if (!runtime) {
- // eslint-disable-next-line no-console
- console.log("[Sentry] Cannot detect runtime (client/server) inside hook 'vite:extendConfig'.");
- } else {
- // eslint-disable-next-line no-console
- console.log(`[Sentry] Adding Sentry Vite plugin to the ${runtime} runtime.`);
- }
- });
+ if (!runtime) {
+ // eslint-disable-next-line no-console
+ console.log("[Sentry] Cannot detect runtime (client/server) inside hook 'vite:extendConfig'.");
+ } else {
+ // eslint-disable-next-line no-console
+ console.log(`[Sentry] Adding Sentry Vite plugin to the ${runtime} runtime.`);
+ }
}
// Add Sentry plugin
@@ -119,10 +114,8 @@ export function setupSourceMaps(moduleOptions: SentryNuxtModuleOptions, nuxt: Nu
validateNitroSourceMapSettings(nuxt, nitroConfig, moduleOptions);
if (isDebug) {
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.log('[Sentry] Adding Sentry Rollup plugin to the server runtime.');
- });
+ // eslint-disable-next-line no-console
+ console.log('[Sentry] Adding Sentry Rollup plugin to the server runtime.');
}
// Add Sentry plugin
@@ -173,16 +166,14 @@ export function getPluginOptions(
// eslint-disable-next-line deprecation/deprecation
deprecatedSourcemapsOptions.filesToDeleteAfterUpload;
- if (typeof filesToDeleteAfterUpload === 'undefined' && shouldDeleteFilesAfterUpload) {
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.log(
- `[Sentry] Setting \`sentry.sourceMapsUploadOptions.sourcemaps.filesToDeleteAfterUpload: [${fallbackFilesToDelete
- // Logging it as strings in the array
- .map(path => `"${path}"`)
- .join(', ')}]\` to delete generated source maps after they were uploaded to Sentry.`,
- );
- });
+ if (typeof filesToDeleteAfterUpload === 'undefined' && shouldDeleteFilesAfterUpload && moduleOptions.debug) {
+ // eslint-disable-next-line no-console
+ console.log(
+ `[Sentry] Setting \`sentry.sourceMapsUploadOptions.sourcemaps.filesToDeleteAfterUpload: [${fallbackFilesToDelete
+ // Logging it as strings in the array
+ .map(path => `"${path}"`)
+ .join(', ')}]\` to delete generated source maps after they were uploaded to Sentry.`,
+ );
}
return {
@@ -277,11 +268,12 @@ export function changeNuxtSourceMapSettings(
};
const nuxtSourceMap = nuxt.options.sourcemap;
+ const isDebug = sentryModuleOptions.debug;
if (typeof nuxtSourceMap === 'string' || typeof nuxtSourceMap === 'boolean' || typeof nuxtSourceMap === 'undefined') {
switch (nuxtSourceMap) {
case false:
- warnExplicitlyDisabledSourceMap('sourcemap');
+ warnExplicitlyDisabledSourceMap('sourcemap', isDebug);
previousUserSourceMapSetting = { client: 'disabled', server: 'disabled' };
break;
@@ -292,33 +284,33 @@ export function changeNuxtSourceMapSettings(
break;
case undefined:
nuxt.options.sourcemap = { server: 'hidden', client: 'hidden' };
- logSentryEnablesSourceMap('sourcemap.client', 'hidden');
- logSentryEnablesSourceMap('sourcemap.server', 'hidden');
+ isDebug && logSentryEnablesSourceMap('sourcemap.client', 'hidden');
+ isDebug && logSentryEnablesSourceMap('sourcemap.server', 'hidden');
previousUserSourceMapSetting = { client: 'unset', server: 'unset' };
break;
}
} else {
if (nuxtSourceMap.client === false) {
- warnExplicitlyDisabledSourceMap('sourcemap.client');
+ warnExplicitlyDisabledSourceMap('sourcemap.client', isDebug);
previousUserSourceMapSetting.client = 'disabled';
} else if (['hidden', true].includes(nuxtSourceMap.client)) {
logKeepEnabledSourceMapSetting(sentryModuleOptions, 'sourcemap.client', nuxtSourceMap.client.toString());
previousUserSourceMapSetting.client = 'enabled';
} else {
nuxt.options.sourcemap.client = 'hidden';
- logSentryEnablesSourceMap('sourcemap.client', 'hidden');
+ isDebug && logSentryEnablesSourceMap('sourcemap.client', 'hidden');
previousUserSourceMapSetting.client = 'unset';
}
if (nuxtSourceMap.server === false) {
- warnExplicitlyDisabledSourceMap('sourcemap.server');
+ warnExplicitlyDisabledSourceMap('sourcemap.server', isDebug);
previousUserSourceMapSetting.server = 'disabled';
} else if (['hidden', true].includes(nuxtSourceMap.server)) {
logKeepEnabledSourceMapSetting(sentryModuleOptions, 'sourcemap.server', nuxtSourceMap.server.toString());
previousUserSourceMapSetting.server = 'enabled';
} else {
nuxt.options.sourcemap.server = 'hidden';
- logSentryEnablesSourceMap('sourcemap.server', 'hidden');
+ isDebug && logSentryEnablesSourceMap('sourcemap.server', 'hidden');
previousUserSourceMapSetting.server = 'unset';
}
}
@@ -368,12 +360,10 @@ export function validateNitroSourceMapSettings(
nitroConfig.rollupConfig.output.sourcemapExcludeSources = false;
if (isDebug) {
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.log(
- '[Sentry] Set `sourcemapExcludeSources: false` in the Nuxt config (`nitro.rollupConfig.output`). Source maps will now include the actual code to be able to un-minify code snippets in Sentry.',
- );
- });
+ // eslint-disable-next-line no-console
+ console.log(
+ '[Sentry] Set `sourcemapExcludeSources: false` in the Nuxt config (`nitro.rollupConfig.output`). Source maps will now include the actual code to be able to un-minify code snippets in Sentry.',
+ );
}
}
@@ -389,12 +379,10 @@ function validateDifferentSourceMapSettings({
otherSettingValue?: SourceMapSetting;
}): void {
if (nuxtSettingValue !== otherSettingValue) {
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.warn(
- `[Sentry] Source map generation settings are conflicting. Sentry uses \`${nuxtSettingKey}: ${nuxtSettingValue}\`. However, a conflicting setting was discovered (\`${otherSettingKey}: ${otherSettingValue}\`). This setting was probably explicitly set in your configuration. Sentry won't override this setting but it may affect source maps generation and upload. Without source maps, code snippets on the Sentry Issues page will remain minified.`,
- );
- });
+ // eslint-disable-next-line no-console
+ console.warn(
+ `[Sentry] Source map generation settings are conflicting. Sentry uses \`${nuxtSettingKey}: ${nuxtSettingValue}\`. However, a conflicting setting was discovered (\`${otherSettingKey}: ${otherSettingValue}\`). This setting was probably explicitly set in your configuration. Sentry won't override this setting but it may affect source maps generation and upload. Without source maps, code snippets on the Sentry Issues page will remain minified.`,
+ );
}
}
@@ -404,27 +392,26 @@ function logKeepEnabledSourceMapSetting(
settingValue: string,
): void {
if (sentryNuxtModuleOptions.debug) {
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.log(
- `[Sentry] \`${settingKey}\` is enabled with \`${settingValue}\`. This will correctly un-minify the code snippet on the Sentry Issue Details page.`,
- );
- });
+ // eslint-disable-next-line no-console
+ console.log(
+ `[Sentry] \`${settingKey}\` is enabled with \`${settingValue}\`. This will correctly un-minify the code snippet on the Sentry Issue Details page.`,
+ );
}
}
-function warnExplicitlyDisabledSourceMap(settingKey: string): void {
- consoleSandbox(() => {
+function warnExplicitlyDisabledSourceMap(settingKey: string, isDebug: boolean | undefined): void {
+ if (isDebug) {
// eslint-disable-next-line no-console
console.warn(
- `[Sentry] We discovered \`${settingKey}\` is set to \`false\`. This setting is either a default setting or was explicitly set in your configuration. Sentry won't override this setting. Without source maps, code snippets on the Sentry Issues page will remain minified. To show unminified code, enable source maps in \`${settingKey}\` (e.g. by setting them to \`'hidden'\`).`,
+ `[Sentry] Source map generation is currently disabled in your Vite configuration (\`${settingKey}: false \`). This setting is either a default setting or was explicitly set in your configuration. Sentry won't override this setting. Without source maps, code snippets on the Sentry Issues page will remain minified. To show unminified code, enable source maps in \`${settingKey}\` (e.g. by setting them to \`hidden\`).`,
);
- });
+ } else {
+ // eslint-disable-next-line no-console
+ console.warn(`[Sentry] Source map generation (\`${settingKey}\`) is disabled in your Vite configuration.`);
+ }
}
function logSentryEnablesSourceMap(settingKey: string, settingValue: string): void {
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.log(`[Sentry] Enabled source map generation in the build options with \`${settingKey}: ${settingValue}\`.`);
- });
+ // eslint-disable-next-line no-console
+ console.log(`[Sentry] Enabled source map generation in the build options with \`${settingKey}: ${settingValue}\`.`);
}
diff --git a/packages/nuxt/test/vite/sourceMaps.test.ts b/packages/nuxt/test/vite/sourceMaps.test.ts
index 59eac291fcc7..e4ae498639b0 100644
--- a/packages/nuxt/test/vite/sourceMaps.test.ts
+++ b/packages/nuxt/test/vite/sourceMaps.test.ts
@@ -482,10 +482,10 @@ describe('change Nuxt source map settings', () => {
);
});
- it('should log a message when debug is false and one of the source maps are unset', () => {
+ it('should log a message when one of the source maps are unset', () => {
nuxt.options.sourcemap.server = true;
- const { client, server } = changeNuxtSourceMapSettings(nuxt as Nuxt, { debug: false });
+ const { client, server } = changeNuxtSourceMapSettings(nuxt as Nuxt, { debug: true });
expect(client).toBe('unset');
expect(server).toBe('enabled');
@@ -495,7 +495,7 @@ describe('change Nuxt source map settings', () => {
);
});
- it('should not log a message when debug is false and client/server source maps are defined', () => {
+ it('should not log a message when client/server source maps are defined and debug is false', () => {
nuxt.options.sourcemap.client = false;
nuxt.options.sourcemap.server = true;
diff --git a/packages/react-router/package.json b/packages/react-router/package.json
index 79afab3073ba..67ac746bae08 100644
--- a/packages/react-router/package.json
+++ b/packages/react-router/package.json
@@ -27,7 +27,18 @@
"node": {
"import": "./build/esm/index.server.js",
"require": "./build/cjs/index.server.js"
+ },
+ "worker": {
+ "import": "./build/esm/cloudflare/index.js",
+ "require": "./build/cjs/cloudflare/index.js",
+ "default": "./build/esm/cloudflare/index.js"
}
+ },
+ "./cloudflare": {
+ "import": "./build/esm/cloudflare/index.js",
+ "require": "./build/cjs/cloudflare/index.js",
+ "types": "./build/types/cloudflare/index.d.ts",
+ "default": "./build/esm/cloudflare/index.js"
}
},
"publishConfig": {
@@ -39,7 +50,7 @@
"@opentelemetry/instrumentation": "^0.203.0",
"@opentelemetry/semantic-conventions": "^1.34.0",
"@sentry/browser": "10.1.0",
- "@sentry/cli": "^2.46.0",
+ "@sentry/cli": "^2.50.2",
"@sentry/core": "10.1.0",
"@sentry/node": "10.1.0",
"@sentry/react": "10.1.0",
diff --git a/packages/react-router/rollup.npm.config.mjs b/packages/react-router/rollup.npm.config.mjs
index 709de91a7b6a..4a52f4ab57a7 100644
--- a/packages/react-router/rollup.npm.config.mjs
+++ b/packages/react-router/rollup.npm.config.mjs
@@ -3,7 +3,7 @@ import { makeBaseNPMConfig, makeNPMConfigVariants } from '@sentry-internal/rollu
export default [
...makeNPMConfigVariants(
makeBaseNPMConfig({
- entrypoints: ['src/index.server.ts', 'src/index.client.ts'],
+ entrypoints: ['src/index.server.ts', 'src/index.client.ts', 'src/cloudflare/index.ts'],
packageSpecificConfig: {
external: ['react-router', 'react-router-dom', 'react', 'react/jsx-runtime', 'vite'],
output: {
diff --git a/packages/react-router/src/cloudflare/index.ts b/packages/react-router/src/cloudflare/index.ts
new file mode 100644
index 000000000000..e5978e7b2bea
--- /dev/null
+++ b/packages/react-router/src/cloudflare/index.ts
@@ -0,0 +1,41 @@
+import { getTraceMetaTags } from '@sentry/core';
+
+export * from '../client';
+
+export { wrapSentryHandleRequest } from '../server/wrapSentryHandleRequest';
+
+/**
+ * Injects Sentry trace meta tags into the HTML response by transforming the ReadableStream.
+ * This enables distributed tracing by adding trace context to the HTML document head.
+ * @param body - ReadableStream containing the HTML response body to modify
+ * @returns A new ReadableStream with Sentry trace meta tags injected into the head section
+ */
+export function injectTraceMetaTags(body: ReadableStream): ReadableStream {
+ const headClosingTag = '';
+
+ const reader = body.getReader();
+ const stream = new ReadableStream({
+ async pull(controller) {
+ const { done, value } = await reader.read();
+
+ if (done) {
+ controller.close();
+ return;
+ }
+
+ const encoder = new TextEncoder();
+ const html = value instanceof Uint8Array ? new TextDecoder().decode(value) : String(value);
+
+ if (html.includes(headClosingTag)) {
+ const modifiedHtml = html.replace(headClosingTag, `${getTraceMetaTags()}${headClosingTag}`);
+
+ controller.enqueue(encoder.encode(modifiedHtml));
+ return;
+ }
+
+ controller.enqueue(encoder.encode(html));
+ },
+ });
+
+ return stream;
+}
diff --git a/packages/react-router/src/server/createSentryHandleRequest.tsx b/packages/react-router/src/server/createSentryHandleRequest.tsx
index 052a51399cad..d7db59be616f 100644
--- a/packages/react-router/src/server/createSentryHandleRequest.tsx
+++ b/packages/react-router/src/server/createSentryHandleRequest.tsx
@@ -3,7 +3,8 @@ import type { ReactNode } from 'react';
import React from 'react';
import type { AppLoadContext, EntryContext, ServerRouter } from 'react-router';
import { PassThrough } from 'stream';
-import { getMetaTagTransformer, wrapSentryHandleRequest } from './wrapSentryHandleRequest';
+import { getMetaTagTransformer } from './getMetaTagTransformer';
+import { wrapSentryHandleRequest } from './wrapSentryHandleRequest';
type RenderToPipeableStreamOptions = {
[key: string]: unknown;
diff --git a/packages/react-router/src/server/getMetaTagTransformer.ts b/packages/react-router/src/server/getMetaTagTransformer.ts
new file mode 100644
index 000000000000..2b4ce76808de
--- /dev/null
+++ b/packages/react-router/src/server/getMetaTagTransformer.ts
@@ -0,0 +1,26 @@
+import type { PassThrough } from 'node:stream';
+import { Transform } from 'node:stream';
+import { getTraceMetaTags } from '@sentry/core';
+
+/**
+ * Injects Sentry trace meta tags into the HTML response by piping through a transform stream.
+ * This enables distributed tracing by adding trace context to the HTML document head.
+ *
+ * @param body - PassThrough stream containing the HTML response body to modify
+ */
+export function getMetaTagTransformer(body: PassThrough): Transform {
+ const headClosingTag = '';
+ const htmlMetaTagTransformer = new Transform({
+ transform(chunk, _encoding, callback) {
+ const html = Buffer.isBuffer(chunk) ? chunk.toString() : String(chunk);
+ if (html.includes(headClosingTag)) {
+ const modifiedHtml = html.replace(headClosingTag, `${getTraceMetaTags()}${headClosingTag}`);
+ callback(null, modifiedHtml);
+ return;
+ }
+ callback(null, chunk);
+ },
+ });
+ htmlMetaTagTransformer.pipe(body);
+ return htmlMetaTagTransformer;
+}
diff --git a/packages/react-router/src/server/index.ts b/packages/react-router/src/server/index.ts
index 91520059d3fb..f595146ffe68 100644
--- a/packages/react-router/src/server/index.ts
+++ b/packages/react-router/src/server/index.ts
@@ -2,8 +2,9 @@ export * from '@sentry/node';
export { init } from './sdk';
// eslint-disable-next-line deprecation/deprecation
-export { wrapSentryHandleRequest, sentryHandleRequest, getMetaTagTransformer } from './wrapSentryHandleRequest';
+export { wrapSentryHandleRequest, sentryHandleRequest } from './wrapSentryHandleRequest';
export { createSentryHandleRequest, type SentryHandleRequestOptions } from './createSentryHandleRequest';
export { wrapServerAction } from './wrapServerAction';
export { wrapServerLoader } from './wrapServerLoader';
export { createSentryHandleError, type SentryHandleErrorOptions } from './createSentryHandleError';
+export { getMetaTagTransformer } from './getMetaTagTransformer';
diff --git a/packages/react-router/src/server/wrapSentryHandleRequest.ts b/packages/react-router/src/server/wrapSentryHandleRequest.ts
index e5e10f2c05b2..161b40f9e241 100644
--- a/packages/react-router/src/server/wrapSentryHandleRequest.ts
+++ b/packages/react-router/src/server/wrapSentryHandleRequest.ts
@@ -5,13 +5,10 @@ import {
flushIfServerless,
getActiveSpan,
getRootSpan,
- getTraceMetaTags,
SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN,
SEMANTIC_ATTRIBUTE_SENTRY_SOURCE,
} from '@sentry/core';
import type { AppLoadContext, EntryContext } from 'react-router';
-import type { PassThrough } from 'stream';
-import { Transform } from 'stream';
type OriginalHandleRequest = (
request: Request,
@@ -70,26 +67,3 @@ export function wrapSentryHandleRequest(originalHandle: OriginalHandleRequest):
// todo(v11): remove this
/** @deprecated Use `wrapSentryHandleRequest` instead. */
export const sentryHandleRequest = wrapSentryHandleRequest;
-
-/**
- * Injects Sentry trace meta tags into the HTML response by piping through a transform stream.
- * This enables distributed tracing by adding trace context to the HTML document head.
- *
- * @param body - PassThrough stream containing the HTML response body to modify
- */
-export function getMetaTagTransformer(body: PassThrough): Transform {
- const headClosingTag = '';
- const htmlMetaTagTransformer = new Transform({
- transform(chunk, _encoding, callback) {
- const html = Buffer.isBuffer(chunk) ? chunk.toString() : String(chunk);
- if (html.includes(headClosingTag)) {
- const modifiedHtml = html.replace(headClosingTag, `${getTraceMetaTags()}${headClosingTag}`);
- callback(null, modifiedHtml);
- return;
- }
- callback(null, chunk);
- },
- });
- htmlMetaTagTransformer.pipe(body);
- return htmlMetaTagTransformer;
-}
diff --git a/packages/react-router/src/vite/buildEnd/handleOnBuildEnd.ts b/packages/react-router/src/vite/buildEnd/handleOnBuildEnd.ts
index 1836be2b0734..5937d156bbba 100644
--- a/packages/react-router/src/vite/buildEnd/handleOnBuildEnd.ts
+++ b/packages/react-router/src/vite/buildEnd/handleOnBuildEnd.ts
@@ -84,14 +84,13 @@ export const sentryOnBuildEnd: BuildEndHook = async ({ reactRouterConfig, viteCo
// set a default value no option was set
if (typeof sourceMapsUploadOptions?.filesToDeleteAfterUpload === 'undefined') {
updatedFilesToDeleteAfterUpload = [`${reactRouterConfig.buildDirectory}/**/*.map`];
- if (debug) {
+ debug &&
// eslint-disable-next-line no-console
console.info(
`[Sentry] Automatically setting \`sourceMapsUploadOptions.filesToDeleteAfterUpload: ${JSON.stringify(
updatedFilesToDeleteAfterUpload,
)}\` to delete generated source maps after they were uploaded to Sentry.`,
);
- }
}
if (updatedFilesToDeleteAfterUpload) {
try {
@@ -108,11 +107,10 @@ export const sentryOnBuildEnd: BuildEndHook = async ({ reactRouterConfig, viteCo
await Promise.all(
filePathsToDelete.map(filePathToDelete =>
rm(filePathToDelete, { force: true }).catch((e: unknown) => {
- if (debug) {
- // This is allowed to fail - we just don't do anything
+ // This is allowed to fail - we just don't do anything
+ debug &&
// eslint-disable-next-line no-console
console.debug(`An error occurred while attempting to delete asset: ${filePathToDelete}`, e);
- }
}),
),
);
diff --git a/packages/react-router/src/vite/makeEnableSourceMapsPlugin.ts b/packages/react-router/src/vite/makeEnableSourceMapsPlugin.ts
index 63d1e4bd5779..aaae86c09b76 100644
--- a/packages/react-router/src/vite/makeEnableSourceMapsPlugin.ts
+++ b/packages/react-router/src/vite/makeEnableSourceMapsPlugin.ts
@@ -1,4 +1,3 @@
-import { consoleSandbox } from '@sentry/core';
import type { Plugin, UserConfig } from 'vite';
import type { SentryReactRouterBuildOptions } from './types';
@@ -47,36 +46,35 @@ export function getUpdatedSourceMapSettings(
let updatedSourceMapSetting = viteSourceMap;
const settingKey = 'vite.build.sourcemap';
+ const debug = sentryPluginOptions?.debug;
if (viteSourceMap === false) {
updatedSourceMapSetting = viteSourceMap;
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
+ if (debug) {
+ // Longer debug message with more details
+ // eslint-disable-next-line no-console
console.warn(
`[Sentry] Source map generation is currently disabled in your Vite configuration (\`${settingKey}: false \`). This setting is either a default setting or was explicitly set in your configuration. Sentry won't override this setting. Without source maps, code snippets on the Sentry Issues page will remain minified. To show unminified code, enable source maps in \`${settingKey}\` (e.g. by setting them to \`hidden\`).`,
);
- });
+ } else {
+ // eslint-disable-next-line no-console
+ console.warn('[Sentry] Source map generation is disabled in your Vite configuration.');
+ }
} else if (viteSourceMap && ['hidden', 'inline', true].includes(viteSourceMap)) {
updatedSourceMapSetting = viteSourceMap;
- if (sentryPluginOptions?.debug) {
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.log(
- `[Sentry] We discovered \`${settingKey}\` is set to \`${viteSourceMap.toString()}\`. Sentry will keep this source map setting. This will un-minify the code snippet on the Sentry Issue page.`,
- );
- });
- }
+ debug &&
+ // eslint-disable-next-line no-console
+ console.log(
+ `[Sentry] We discovered \`${settingKey}\` is set to \`${viteSourceMap.toString()}\`. Sentry will keep this source map setting. This will un-minify the code snippet on the Sentry Issue page.`,
+ );
} else {
updatedSourceMapSetting = 'hidden';
-
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
+ debug && // eslint-disable-next-line no-console
console.log(
`[Sentry] Enabled source map generation in the build options with \`${settingKey}: 'hidden'\`. The source maps will be deleted after they were uploaded to Sentry.`,
);
- });
}
return updatedSourceMapSetting;
diff --git a/packages/react-router/test/server/createSentryHandleRequest.test.ts b/packages/react-router/test/server/createSentryHandleRequest.test.ts
index be414155bb6d..19e6d9542cbb 100644
--- a/packages/react-router/test/server/createSentryHandleRequest.test.ts
+++ b/packages/react-router/test/server/createSentryHandleRequest.test.ts
@@ -3,14 +3,18 @@ import type { EntryContext } from 'react-router';
import { PassThrough } from 'stream';
import { afterEach, beforeEach, describe, expect, it, vi } from 'vitest';
import { createSentryHandleRequest } from '../../src/server/createSentryHandleRequest';
+import * as getMetaTagTransformerModule from '../../src/server/getMetaTagTransformer';
import * as wrapSentryHandleRequestModule from '../../src/server/wrapSentryHandleRequest';
vi.mock('../../src/server/wrapSentryHandleRequest', () => ({
wrapSentryHandleRequest: vi.fn(fn => fn),
- getMetaTagTransformer: vi.fn(body => {
- const transform = new PassThrough();
- transform.pipe(body);
- return transform;
+}));
+
+vi.mock('../../src/server/getMetaTagTransformer', () => ({
+ getMetaTagTransformer: vi.fn(bodyStream => {
+ const transformer = new PassThrough();
+ bodyStream.pipe(transformer);
+ return transformer;
}),
}));
@@ -247,7 +251,7 @@ describe('createSentryHandleRequest', () => {
});
it('should pipe to the meta tag transformer', async () => {
- const getMetaTagTransformerSpy = vi.spyOn(wrapSentryHandleRequestModule, 'getMetaTagTransformer');
+ const getMetaTagTransformerSpy = vi.spyOn(getMetaTagTransformerModule, 'getMetaTagTransformer');
const pipeSpy = vi.fn();
diff --git a/packages/react-router/test/server/getMetaTagTransformer.ts b/packages/react-router/test/server/getMetaTagTransformer.ts
new file mode 100644
index 000000000000..16334888627c
--- /dev/null
+++ b/packages/react-router/test/server/getMetaTagTransformer.ts
@@ -0,0 +1,91 @@
+import { getTraceMetaTags } from '@sentry/core';
+import { PassThrough } from 'stream';
+import { beforeEach, describe, expect, test, vi } from 'vitest';
+import { getMetaTagTransformer } from '../../src/server/getMetaTagTransformer';
+
+vi.mock('@opentelemetry/core', () => ({
+ RPCType: { HTTP: 'http' },
+ getRPCMetadata: vi.fn(),
+}));
+
+vi.mock('@sentry/core', () => ({
+ SEMANTIC_ATTRIBUTE_SENTRY_SOURCE: 'sentry.source',
+ SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN: 'sentry.origin',
+ getActiveSpan: vi.fn(),
+ getRootSpan: vi.fn(),
+ getTraceMetaTags: vi.fn(),
+}));
+
+describe('getMetaTagTransformer', () => {
+ beforeEach(() => {
+ vi.clearAllMocks();
+ (getTraceMetaTags as unknown as ReturnType).mockReturnValue(
+ '',
+ );
+ });
+
+ test('should inject meta tags before closing head tag', done => {
+ const outputStream = new PassThrough();
+ const bodyStream = new PassThrough();
+ const transformer = getMetaTagTransformer(bodyStream);
+
+ let outputData = '';
+ outputStream.on('data', chunk => {
+ outputData += chunk.toString();
+ });
+
+ outputStream.on('end', () => {
+ expect(outputData).toContain('');
+ expect(outputData).not.toContain('');
+ done();
+ });
+
+ transformer.pipe(outputStream);
+
+ bodyStream.write('Test');
+ bodyStream.end();
+ });
+
+ test('should not modify chunks without head closing tag', done => {
+ const outputStream = new PassThrough();
+ const bodyStream = new PassThrough();
+ const transformer = getMetaTagTransformer(bodyStream);
+
+ let outputData = '';
+ outputStream.on('data', chunk => {
+ outputData += chunk.toString();
+ });
+
+ outputStream.on('end', () => {
+ expect(outputData).toBe('Test');
+ expect(getTraceMetaTags).toHaveBeenCalled();
+ done();
+ });
+
+ transformer.pipe(outputStream);
+
+ bodyStream.write('Test');
+ bodyStream.end();
+ });
+
+ test('should handle buffer input', done => {
+ const outputStream = new PassThrough();
+ const bodyStream = new PassThrough();
+ const transformer = getMetaTagTransformer(bodyStream);
+
+ let outputData = '';
+ outputStream.on('data', chunk => {
+ outputData += chunk.toString();
+ });
+
+ outputStream.on('end', () => {
+ expect(outputData).toContain('');
+ done();
+ });
+
+ transformer.pipe(outputStream);
+
+ bodyStream.write(Buffer.from('Test'));
+ bodyStream.end();
+ });
+});
diff --git a/packages/react-router/test/server/wrapSentryHandleRequest.test.ts b/packages/react-router/test/server/wrapSentryHandleRequest.test.ts
index f66a4822555e..e76a7f6c1dae 100644
--- a/packages/react-router/test/server/wrapSentryHandleRequest.test.ts
+++ b/packages/react-router/test/server/wrapSentryHandleRequest.test.ts
@@ -1,3 +1,4 @@
+import { PassThrough } from 'node:stream';
import { RPCType } from '@opentelemetry/core';
import { ATTR_HTTP_ROUTE } from '@opentelemetry/semantic-conventions';
import {
@@ -8,9 +9,9 @@ import {
SEMANTIC_ATTRIBUTE_SENTRY_ORIGIN,
SEMANTIC_ATTRIBUTE_SENTRY_SOURCE,
} from '@sentry/core';
-import { PassThrough } from 'stream';
import { beforeEach, describe, expect, test, vi } from 'vitest';
-import { getMetaTagTransformer, wrapSentryHandleRequest } from '../../src/server/wrapSentryHandleRequest';
+import { getMetaTagTransformer } from '../../src/server/getMetaTagTransformer';
+import { wrapSentryHandleRequest } from '../../src/server/wrapSentryHandleRequest';
vi.mock('@opentelemetry/core', () => ({
RPCType: { HTTP: 'http' },
diff --git a/packages/react-router/test/vite/sourceMaps.test.ts b/packages/react-router/test/vite/sourceMaps.test.ts
index f59f7c5acf99..5e2850b2240d 100644
--- a/packages/react-router/test/vite/sourceMaps.test.ts
+++ b/packages/react-router/test/vite/sourceMaps.test.ts
@@ -41,13 +41,29 @@ describe('getUpdatedSourceMapSettings', () => {
});
describe('when sourcemap is false', () => {
- it('should keep sourcemap as false and show warning', () => {
+ it('should keep sourcemap as false and show short warning when debug is disabled', () => {
const result = getUpdatedSourceMapSettings({ build: { sourcemap: false } });
expect(result).toBe(false);
// eslint-disable-next-line no-console
expect(console.warn).toHaveBeenCalledWith(
- expect.stringContaining('[Sentry] Source map generation is currently disabled'),
+ '[Sentry] Source map generation is disabled in your Vite configuration.',
+ );
+ });
+
+ it('should keep sourcemap as false and show long warning when debug is enabled', () => {
+ const result = getUpdatedSourceMapSettings({ build: { sourcemap: false } }, { debug: true });
+
+ expect(result).toBe(false);
+ // eslint-disable-next-line no-console
+ expect(console.warn).toHaveBeenCalledWith(
+ expect.stringContaining('[Sentry] Source map generation is currently disabled in your Vite configuration'),
+ );
+ // eslint-disable-next-line no-console
+ expect(console.warn).toHaveBeenCalledWith(
+ expect.stringContaining(
+ 'This setting is either a default setting or was explicitly set in your configuration.',
+ ),
);
});
});
@@ -72,7 +88,7 @@ describe('getUpdatedSourceMapSettings', () => {
it.each([[undefined], ['invalid'], ['something'], [null]])(
'should set sourcemap to hidden when value is %s',
input => {
- const result = getUpdatedSourceMapSettings({ build: { sourcemap: input as any } });
+ const result = getUpdatedSourceMapSettings({ build: { sourcemap: input as any } }, { debug: true });
expect(result).toBe('hidden');
// eslint-disable-next-line no-console
@@ -85,7 +101,7 @@ describe('getUpdatedSourceMapSettings', () => {
);
it('should set sourcemap to hidden when build config is empty', () => {
- const result = getUpdatedSourceMapSettings({});
+ const result = getUpdatedSourceMapSettings({}, { debug: true });
expect(result).toBe('hidden');
// eslint-disable-next-line no-console
diff --git a/packages/react/src/tanstackrouter.ts b/packages/react/src/tanstackrouter.ts
index 11677b796ffc..49c3a8984443 100644
--- a/packages/react/src/tanstackrouter.ts
+++ b/packages/react/src/tanstackrouter.ts
@@ -119,7 +119,7 @@ function routeMatchToParamSpanAttributes(match: VendoredTanstackRouterRouteMatch
const paramAttributes: Record = {};
Object.entries(match.params).forEach(([key, value]) => {
- paramAttributes[`url.path.params.${key}`] = value; // todo(v10): remove attribute which does not adhere to Sentry's semantic convention
+ paramAttributes[`url.path.params.${key}`] = value; // TODO(v11): remove attribute which does not adhere to Sentry's semantic convention
paramAttributes[`url.path.parameter.${key}`] = value;
paramAttributes[`params.${key}`] = value; // params.[key] is an alias
});
diff --git a/packages/remix/package.json b/packages/remix/package.json
index c28dc4b2f78d..cd3a5a64ad85 100644
--- a/packages/remix/package.json
+++ b/packages/remix/package.json
@@ -68,7 +68,7 @@
"@opentelemetry/instrumentation": "^0.203.0",
"@opentelemetry/semantic-conventions": "^1.34.0",
"@remix-run/router": "1.x",
- "@sentry/cli": "^2.50.0",
+ "@sentry/cli": "^2.50.2",
"@sentry/core": "10.1.0",
"@sentry/node": "10.1.0",
"@sentry/react": "10.1.0",
diff --git a/packages/replay-internal/src/util/addGlobalListeners.ts b/packages/replay-internal/src/util/addGlobalListeners.ts
index cd5c141d0160..0f1ddba0a2a2 100644
--- a/packages/replay-internal/src/util/addGlobalListeners.ts
+++ b/packages/replay-internal/src/util/addGlobalListeners.ts
@@ -62,14 +62,14 @@ export function addGlobalListeners(replay: ReplayContainer): void {
if (options?.includeReplay && replay.isEnabled() && replayId && feedbackEvent.contexts?.feedback) {
// In case the feedback is sent via API and not through our widget, we want to flush replay
if (feedbackEvent.contexts.feedback.source === 'api') {
- await replay.flush();
+ await replay.sendBufferedReplayOrFlush();
}
feedbackEvent.contexts.feedback.replay_id = replayId;
}
});
client.on('openFeedbackWidget', async () => {
- await replay.flush();
+ await replay.sendBufferedReplayOrFlush();
});
}
}
diff --git a/packages/solidstart/src/vite/sourceMaps.ts b/packages/solidstart/src/vite/sourceMaps.ts
index 285b3949bf93..0cd44e6a61c7 100644
--- a/packages/solidstart/src/vite/sourceMaps.ts
+++ b/packages/solidstart/src/vite/sourceMaps.ts
@@ -1,4 +1,3 @@
-import { consoleSandbox } from '@sentry/core';
import { sentryVitePlugin } from '@sentry/vite-plugin';
import type { Plugin, UserConfig } from 'vite';
import type { SentrySolidStartPluginOptions } from './types';
@@ -21,14 +20,13 @@ export function makeAddSentryVitePlugin(options: SentrySolidStartPluginOptions,
// For .output, .vercel, .netlify etc.
updatedFilesToDeleteAfterUpload = ['.*/**/*.map'];
- consoleSandbox(() => {
+ debug &&
// eslint-disable-next-line no-console
console.log(
`[Sentry] Automatically setting \`sourceMapsUploadOptions.filesToDeleteAfterUpload: ${JSON.stringify(
updatedFilesToDeleteAfterUpload,
)}\` to delete generated source maps after they were uploaded to Sentry.`,
);
- });
}
return [
@@ -103,36 +101,37 @@ export function getUpdatedSourceMapSettings(
let updatedSourceMapSetting = viteSourceMap;
const settingKey = 'vite.build.sourcemap';
+ const debug = sentryPluginOptions?.debug;
if (viteSourceMap === false) {
updatedSourceMapSetting = viteSourceMap;
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
+ if (debug) {
+ // Longer debug message with more details
+ // eslint-disable-next-line no-console
console.warn(
`[Sentry] Source map generation is currently disabled in your SolidStart configuration (\`${settingKey}: false \`). This setting is either a default setting or was explicitly set in your configuration. Sentry won't override this setting. Without source maps, code snippets on the Sentry Issues page will remain minified. To show unminified code, enable source maps in \`${settingKey}\` (e.g. by setting them to \`hidden\`).`,
);
- });
+ } else {
+ // eslint-disable-next-line no-console
+ console.warn('[Sentry] Source map generation is disabled in your SolidStart configuration.');
+ }
} else if (viteSourceMap && ['hidden', 'inline', true].includes(viteSourceMap)) {
updatedSourceMapSetting = viteSourceMap;
- if (sentryPluginOptions?.debug) {
- consoleSandbox(() => {
- // eslint-disable-next-line no-console
- console.log(
- `[Sentry] We discovered \`${settingKey}\` is set to \`${viteSourceMap.toString()}\`. Sentry will keep this source map setting. This will un-minify the code snippet on the Sentry Issue page.`,
- );
- });
- }
+ debug &&
+ // eslint-disable-next-line no-console
+ console.log(
+ `[Sentry] We discovered \`${settingKey}\` is set to \`${viteSourceMap.toString()}\`. Sentry will keep this source map setting. This will un-minify the code snippet on the Sentry Issue page.`,
+ );
} else {
updatedSourceMapSetting = 'hidden';
- consoleSandbox(() => {
+ debug &&
// eslint-disable-next-line no-console
console.log(
`[Sentry] Enabled source map generation in the build options with \`${settingKey}: 'hidden'\`. The source maps will be deleted after they were uploaded to Sentry.`,
);
- });
}
return updatedSourceMapSetting;
diff --git a/packages/solidstart/test/vite/sourceMaps.test.ts b/packages/solidstart/test/vite/sourceMaps.test.ts
index 7254b126ce93..a3fba62c1eda 100644
--- a/packages/solidstart/test/vite/sourceMaps.test.ts
+++ b/packages/solidstart/test/vite/sourceMaps.test.ts
@@ -179,13 +179,31 @@ describe('getUpdatedSourceMapSettings', () => {
});
describe('when sourcemap is false', () => {
- it('should keep sourcemap as false and show warning', () => {
+ it('should keep sourcemap as false and show short warning when debug is disabled', () => {
const result = getUpdatedSourceMapSettings({ build: { sourcemap: false } });
expect(result).toBe(false);
// eslint-disable-next-line no-console
expect(console.warn).toHaveBeenCalledWith(
- expect.stringContaining('[Sentry] Source map generation is currently disabled'),
+ '[Sentry] Source map generation is disabled in your SolidStart configuration.',
+ );
+ });
+
+ it('should keep sourcemap as false and show long warning when debug is enabled', () => {
+ const result = getUpdatedSourceMapSettings({ build: { sourcemap: false } }, { debug: true });
+
+ expect(result).toBe(false);
+ // eslint-disable-next-line no-console
+ expect(console.warn).toHaveBeenCalledWith(
+ expect.stringContaining(
+ '[Sentry] Source map generation is currently disabled in your SolidStart configuration',
+ ),
+ );
+ // eslint-disable-next-line no-console
+ expect(console.warn).toHaveBeenCalledWith(
+ expect.stringContaining(
+ 'This setting is either a default setting or was explicitly set in your configuration.',
+ ),
);
});
});
@@ -210,7 +228,7 @@ describe('getUpdatedSourceMapSettings', () => {
it.each([[undefined], ['invalid'], ['something'], [null]])(
'should set sourcemap to hidden when value is %s',
input => {
- const result = getUpdatedSourceMapSettings({ build: { sourcemap: input as any } });
+ const result = getUpdatedSourceMapSettings({ build: { sourcemap: input as any } }, { debug: true });
expect(result).toBe('hidden');
// eslint-disable-next-line no-console
@@ -223,7 +241,7 @@ describe('getUpdatedSourceMapSettings', () => {
);
it('should set sourcemap to hidden when build config is empty', () => {
- const result = getUpdatedSourceMapSettings({});
+ const result = getUpdatedSourceMapSettings({}, { debug: true });
expect(result).toBe('hidden');
// eslint-disable-next-line no-console
diff --git a/packages/vercel-edge/src/index.ts b/packages/vercel-edge/src/index.ts
index 5325d1e62391..e2fd90eda5b7 100644
--- a/packages/vercel-edge/src/index.ts
+++ b/packages/vercel-edge/src/index.ts
@@ -69,6 +69,7 @@ export {
functionToStringIntegration,
// eslint-disable-next-line deprecation/deprecation
inboundFiltersIntegration,
+ instrumentOpenAiClient,
eventFiltersIntegration,
linkedErrorsIntegration,
requestDataIntegration,
diff --git a/packages/vercel-edge/src/sdk.ts b/packages/vercel-edge/src/sdk.ts
index ba83d7752ed3..5c8387c9bc7a 100644
--- a/packages/vercel-edge/src/sdk.ts
+++ b/packages/vercel-edge/src/sdk.ts
@@ -52,14 +52,14 @@ const nodeStackParser = createStackParser(nodeStackLineParser());
export function getDefaultIntegrations(options: Options): Integration[] {
return [
dedupeIntegration(),
- // TODO(v10): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
+ // TODO(v11): Replace with `eventFiltersIntegration` once we remove the deprecated `inboundFiltersIntegration`
// eslint-disable-next-line deprecation/deprecation
inboundFiltersIntegration(),
functionToStringIntegration(),
linkedErrorsIntegration(),
winterCGFetchIntegration(),
consoleIntegration(),
- // TODO(v10): integration can be included - but integration should not add IP address etc
+ // TODO(v11): integration can be included - but integration should not add IP address etc
...(options.sendDefaultPii ? [requestDataIntegration()] : []),
];
}
diff --git a/vite/vite.config.ts b/vite/vite.config.ts
index 53823d2b9451..62f89a570f52 100644
--- a/vite/vite.config.ts
+++ b/vite/vite.config.ts
@@ -19,7 +19,7 @@ export default defineConfig({
'vite.config.*',
],
},
- reporters: ['default', ...(process.env.CI ? [['junit', { classnameTemplate: '{filepath}' }]] : [])],
+ reporters: process.env.CI ? ['default', ['junit', { classnameTemplate: '{filepath}' }]] : ['default'],
outputFile: {
junit: 'vitest.junit.xml',
},
diff --git a/yarn.lock b/yarn.lock
index 22d7a8c0d4b9..7fe57741e388 100644
--- a/yarn.lock
+++ b/yarn.lock
@@ -6305,10 +6305,10 @@
resolved "https://registry.yarnpkg.com/@poppinss/exception/-/exception-1.2.2.tgz#8d30d42e126c54fe84e997433e4dcac610090743"
integrity sha512-m7bpKCD4QMlFCjA/nKTs23fuvoVFoA83brRKmObCUNmi/9tVu8Ve3w4YQAnJu4q3Tjf5fr685HYIC/IA2zHRSg==
-"@prisma/instrumentation@6.12.0":
- version "6.12.0"
- resolved "https://registry.yarnpkg.com/@prisma/instrumentation/-/instrumentation-6.12.0.tgz#fd47ed75bfb8f1180a0d77695084f2c0c46bb4d7"
- integrity sha512-UfwLME9uRDKGOu06Yrj5ERT5XVx4xvdyPsjRtQl2gY2ZgSK6c2ZNsKfEPVQHwrNl4hu2m9Rw1KCcy0sdEnefKw==
+"@prisma/instrumentation@6.13.0":
+ version "6.13.0"
+ resolved "https://registry.yarnpkg.com/@prisma/instrumentation/-/instrumentation-6.13.0.tgz#f2f774162b9247c870f306828da580c5102ff679"
+ integrity sha512-b97b0sBycGh89RQcqobSgjGl3jwPaC5cQIOFod6EX1v0zIxlXPmL3ckSXxoHpy+Js0QV/tgCzFvqicMJCtezBA==
dependencies:
"@opentelemetry/instrumentation" "^0.52.0 || ^0.53.0 || ^0.54.0 || ^0.55.0 || ^0.56.0 || ^0.57.0"
@@ -6924,7 +6924,7 @@
mitt "^3.0.0"
"@sentry-internal/test-utils@link:dev-packages/test-utils":
- version "9.40.0"
+ version "10.1.0"
dependencies:
express "^4.21.1"
@@ -6933,6 +6933,11 @@
resolved "https://registry.yarnpkg.com/@sentry/babel-plugin-component-annotate/-/babel-plugin-component-annotate-4.0.0.tgz#2f4dfeabba28a76b5a1b32a1058386e52f32634f"
integrity sha512-1sozj4esnQBhJ2QO4imiLMl1858StkLjUxFF1KxgX/X1uEL/QlW2MYL8CKzbLeACy1SkR9h4V8GXSZvCnci5Dw==
+"@sentry/babel-plugin-component-annotate@4.0.2":
+ version "4.0.2"
+ resolved "https://registry.yarnpkg.com/@sentry/babel-plugin-component-annotate/-/babel-plugin-component-annotate-4.0.2.tgz#7c8eb80a38b5e6b4c4cea4c391d07581020c91e4"
+ integrity sha512-Nr/VamvpQs6w642EI5t+qaCUGnVEro0qqk+S8XO1gc8qSdpc8kkZJFnUk7ozAr+ljYWGfVgWXrxI9lLiriLsRA==
+
"@sentry/bundler-plugin-core@4.0.0":
version "4.0.0"
resolved "https://registry.yarnpkg.com/@sentry/bundler-plugin-core/-/bundler-plugin-core-4.0.0.tgz#564463cf53f869496ab5d4986e97f86618a67677"
@@ -6947,50 +6952,64 @@
magic-string "0.30.8"
unplugin "1.0.1"
-"@sentry/cli-darwin@2.50.0":
- version "2.50.0"
- resolved "https://registry.yarnpkg.com/@sentry/cli-darwin/-/cli-darwin-2.50.0.tgz#0fec0ece84afe37b33464ccd514367fc95d507f3"
- integrity sha512-Aj+cLBZ0dCw+pdUxvJ1U71PnKh2YjvpzLN9h1ZTe8UI3FqmkKkSH/J8mN/5qmR7qUHjDcm2l+wfgVUaaP8CWbA==
-
-"@sentry/cli-linux-arm64@2.50.0":
- version "2.50.0"
- resolved "https://registry.yarnpkg.com/@sentry/cli-linux-arm64/-/cli-linux-arm64-2.50.0.tgz#bbafacf82766d45ff05434cd7cabbda7005d1efd"
- integrity sha512-p6hIh4Bb87qBfEz9w5dxEPAohIKcw68qoy5VUTx+cCanO8uXNWWsT78xtUNFRscW9zc6MxQMSITTWaCEIKvxRA==
-
-"@sentry/cli-linux-arm@2.50.0":
- version "2.50.0"
- resolved "https://registry.yarnpkg.com/@sentry/cli-linux-arm/-/cli-linux-arm-2.50.0.tgz#e1fed09b94c508db9de5353d8305828b0a3551e9"
- integrity sha512-SGPAFwOY2of2C+RUBJcxMN2JXikVFEk8ypYOsQTEvV/48cLejcO/O2mHIj/YKgIkrfn3t7LlqdK6g75lkz+F8Q==
-
-"@sentry/cli-linux-i686@2.50.0":
- version "2.50.0"
- resolved "https://registry.yarnpkg.com/@sentry/cli-linux-i686/-/cli-linux-i686-2.50.0.tgz#95f0eb65bdde4c33e492830ae4ac207b60494f8e"
- integrity sha512-umhGmbiCUG7MvjTm8lXFmFxQjyTVtYakilBwPTVzRELmNKxxhfKRxwSSA+hUKetAUzNd8fJx8K7yqdw+qRA7Pg==
-
-"@sentry/cli-linux-x64@2.50.0":
- version "2.50.0"
- resolved "https://registry.yarnpkg.com/@sentry/cli-linux-x64/-/cli-linux-x64-2.50.0.tgz#5266b6b8660e6b72688331b7c702e9d1ca6413ed"
- integrity sha512-ugIIx9+wUmguxOUe9ZVacvdCffZwqtFSKwpJ06Nqes0XfL4ZER4Qlq3/miCZ8m150C4xK5ym/QCwB41ffBqI4g==
-
-"@sentry/cli-win32-arm64@2.50.0":
- version "2.50.0"
- resolved "https://registry.yarnpkg.com/@sentry/cli-win32-arm64/-/cli-win32-arm64-2.50.0.tgz#663d75fea42b853940c6faacf7ee76a16b449654"
- integrity sha512-fMyBSKLrVHY9944t8oTpul+6osyQeuN8GGGP3diDxGQpynYL+vhcHZIpXFRH398+3kedG/IFoY7EwGgIEqWzmw==
-
-"@sentry/cli-win32-i686@2.50.0":
- version "2.50.0"
- resolved "https://registry.yarnpkg.com/@sentry/cli-win32-i686/-/cli-win32-i686-2.50.0.tgz#96813ca970f35a839d7f817534ac556bc1df1567"
- integrity sha512-VbC+l2Y2kB7Lsun2c8t7ZGwmljmXnyncZLW9PjdEyJSTAJ9GnEnSvyFSPXNLV/eHJnfQffzU7QTjU8vkQ7XMYg==
-
-"@sentry/cli-win32-x64@2.50.0":
- version "2.50.0"
- resolved "https://registry.yarnpkg.com/@sentry/cli-win32-x64/-/cli-win32-x64-2.50.0.tgz#9f644efed8cb75943078a0ca4e414fa21dda6280"
- integrity sha512-nMktyF93NtQUOViAAKHpHSWACOGjOkKjiewi4pD6W3sWllFiPPyt15XoyApqWwnICDRQu2DI5vnil4ck6/k7mw==
+"@sentry/bundler-plugin-core@4.0.2":
+ version "4.0.2"
+ resolved "https://registry.yarnpkg.com/@sentry/bundler-plugin-core/-/bundler-plugin-core-4.0.2.tgz#2e106ac564d2e4e83e8dbc84f1e84f4eed1d6dde"
+ integrity sha512-LeARs8qHhEw19tk+KZd9DDV+Rh/UeapIH0+C09fTmff9p8Y82Cj89pEQ2a1rdUiF/oYIjQX45vnZscB7ra42yw==
+ dependencies:
+ "@babel/core" "^7.18.5"
+ "@sentry/babel-plugin-component-annotate" "4.0.2"
+ "@sentry/cli" "^2.49.0"
+ dotenv "^16.3.1"
+ find-up "^5.0.0"
+ glob "^9.3.2"
+ magic-string "0.30.8"
+ unplugin "1.0.1"
-"@sentry/cli@^2.46.0", "@sentry/cli@^2.49.0", "@sentry/cli@^2.50.0":
- version "2.50.0"
- resolved "https://registry.yarnpkg.com/@sentry/cli/-/cli-2.50.0.tgz#7e2298bea9a2bb50126bfb24116ae98199bc1f6f"
- integrity sha512-OHRRQPUNjBpzOT6arNhxXQ71DKs5jSziCfDzmEGwAs+K8J/I1QxnvJkto88HbXE54oiWhSEJwL0pvcowFXyVbA==
+"@sentry/cli-darwin@2.50.2":
+ version "2.50.2"
+ resolved "https://registry.yarnpkg.com/@sentry/cli-darwin/-/cli-darwin-2.50.2.tgz#fcf924fcc02cfa54748ff07a380334e533635c74"
+ integrity sha512-0Pjpl0vQqKhwuZm19z6AlEF+ds3fJg1KWabv8WzGaSc/fwxMEwjFwOZj+IxWBJPV578cXXNvB39vYjjpCH8j7A==
+
+"@sentry/cli-linux-arm64@2.50.2":
+ version "2.50.2"
+ resolved "https://registry.yarnpkg.com/@sentry/cli-linux-arm64/-/cli-linux-arm64-2.50.2.tgz#ac9e6dba42095832bac8084abab4b86fdd2956f3"
+ integrity sha512-03Cj215M3IdoHAwevCxm5oOm9WICFpuLR05DQnODFCeIUsGvE1pZsc+Gm0Ky/ZArq2PlShBJTpbHvXbCUka+0w==
+
+"@sentry/cli-linux-arm@2.50.2":
+ version "2.50.2"
+ resolved "https://registry.yarnpkg.com/@sentry/cli-linux-arm/-/cli-linux-arm-2.50.2.tgz#835acd53ca83f6be9fc0d3d85a3cd4c694051bce"
+ integrity sha512-jzFwg9AeeuFAFtoCcyaDEPG05TU02uOy1nAX09c1g7FtsyQlPcbhI94JQGmnPzdRjjDmORtwIUiVZQrVTkDM7w==
+
+"@sentry/cli-linux-i686@2.50.2":
+ version "2.50.2"
+ resolved "https://registry.yarnpkg.com/@sentry/cli-linux-i686/-/cli-linux-i686-2.50.2.tgz#72f0e4bc1c515754aa11225efce711a24fb53524"
+ integrity sha512-J+POvB34uVyHbIYF++Bc/OCLw+gqKW0H/y/mY7rRZCiocgpk266M4NtsOBl6bEaurMx1D+BCIEjr4nc01I/rqA==
+
+"@sentry/cli-linux-x64@2.50.2":
+ version "2.50.2"
+ resolved "https://registry.yarnpkg.com/@sentry/cli-linux-x64/-/cli-linux-x64-2.50.2.tgz#d06f8ffd65871b1373a0d2228ab254d9456a615c"
+ integrity sha512-81yQVRLj8rnuHoYcrM7QbOw8ubA3weiMdPtTxTim1s6WExmPgnPTKxLCr9xzxGJxFdYo3xIOhtf5JFpUX/3j4A==
+
+"@sentry/cli-win32-arm64@2.50.2":
+ version "2.50.2"
+ resolved "https://registry.yarnpkg.com/@sentry/cli-win32-arm64/-/cli-win32-arm64-2.50.2.tgz#4bd7a140367c17f77d621903cfe0914232108657"
+ integrity sha512-QjentLGvpibgiZlmlV9ifZyxV73lnGH6pFZWU5wLeRiaYKxWtNrrHpVs+HiWlRhkwQ0mG1/S40PGNgJ20DJ3gA==
+
+"@sentry/cli-win32-i686@2.50.2":
+ version "2.50.2"
+ resolved "https://registry.yarnpkg.com/@sentry/cli-win32-i686/-/cli-win32-i686-2.50.2.tgz#1eb997cf780c396446cdd8e63c6d4309894465e8"
+ integrity sha512-UkBIIzkQkQ1UkjQX8kHm/+e7IxnEhK6CdgSjFyNlxkwALjDWHJjMztevqAPz3kv4LdM6q1MxpQ/mOqXICNhEGg==
+
+"@sentry/cli-win32-x64@2.50.2":
+ version "2.50.2"
+ resolved "https://registry.yarnpkg.com/@sentry/cli-win32-x64/-/cli-win32-x64-2.50.2.tgz#1d0c106125b6dc87f3a598ac02519c699f17a6c0"
+ integrity sha512-tE27pu1sRRub1Jpmemykv3QHddBcyUk39Fsvv+n4NDpQyMgsyVPcboxBZyby44F0jkpI/q3bUH2tfCB1TYDNLg==
+
+"@sentry/cli@^2.49.0", "@sentry/cli@^2.50.2":
+ version "2.50.2"
+ resolved "https://registry.yarnpkg.com/@sentry/cli/-/cli-2.50.2.tgz#9fb90f2ae6648fc0104f0ca7f528d2e19ee0ecae"
+ integrity sha512-m1L9shxutF3WHSyNld6Y1vMPoXfEyQhoRh1V3SYSdl+4AB40U+zr2sRzFa2OPm7XP4zYNaWuuuHLkY/iHITs8Q==
dependencies:
https-proxy-agent "^5.0.0"
node-fetch "^2.6.7"
@@ -6998,21 +7017,21 @@
proxy-from-env "^1.1.0"
which "^2.0.2"
optionalDependencies:
- "@sentry/cli-darwin" "2.50.0"
- "@sentry/cli-linux-arm" "2.50.0"
- "@sentry/cli-linux-arm64" "2.50.0"
- "@sentry/cli-linux-i686" "2.50.0"
- "@sentry/cli-linux-x64" "2.50.0"
- "@sentry/cli-win32-arm64" "2.50.0"
- "@sentry/cli-win32-i686" "2.50.0"
- "@sentry/cli-win32-x64" "2.50.0"
-
-"@sentry/rollup-plugin@^4.0.0":
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/@sentry/rollup-plugin/-/rollup-plugin-4.0.0.tgz#746112b23333d39b3cd1f0e285ca242dd753de67"
- integrity sha512-+UVAcx/HD+emrZAYNkIt/iKPz6gVCHVBX8D4s1qt3/gDUzfqX9E2Yq8wkN3sFlf0C4Ks31OCe4vMHJ4m6YLRRQ==
+ "@sentry/cli-darwin" "2.50.2"
+ "@sentry/cli-linux-arm" "2.50.2"
+ "@sentry/cli-linux-arm64" "2.50.2"
+ "@sentry/cli-linux-i686" "2.50.2"
+ "@sentry/cli-linux-x64" "2.50.2"
+ "@sentry/cli-win32-arm64" "2.50.2"
+ "@sentry/cli-win32-i686" "2.50.2"
+ "@sentry/cli-win32-x64" "2.50.2"
+
+"@sentry/rollup-plugin@^4.0.2":
+ version "4.0.2"
+ resolved "https://registry.yarnpkg.com/@sentry/rollup-plugin/-/rollup-plugin-4.0.2.tgz#4fda1f2456cdbef7f7527921da93a92c35e67612"
+ integrity sha512-p8cbo34m8qcJx5LDo1hPiMlR8aSKMyVewBGBV+nGrh6cgeBUOXu8DpIVD0piOna2igon3jyUD6ydrxUtcM5/Qw==
dependencies:
- "@sentry/bundler-plugin-core" "4.0.0"
+ "@sentry/bundler-plugin-core" "4.0.2"
unplugin "1.0.1"
"@sentry/vite-plugin@^4.0.0":
@@ -7023,12 +7042,12 @@
"@sentry/bundler-plugin-core" "4.0.0"
unplugin "1.0.1"
-"@sentry/webpack-plugin@^4.0.0":
- version "4.0.0"
- resolved "https://registry.yarnpkg.com/@sentry/webpack-plugin/-/webpack-plugin-4.0.0.tgz#0c32a40b63098e6db505ad40a93840c13b81faed"
- integrity sha512-Uhfjqnuxv4eYIt0GbPAdlFPum3BtasNhQrO3OJuVQRYRq21En7ARKXISoOhZHMo4tRRiiv+3npKYmpzHTALbQg==
+"@sentry/webpack-plugin@^4.0.2":
+ version "4.0.2"
+ resolved "https://registry.yarnpkg.com/@sentry/webpack-plugin/-/webpack-plugin-4.0.2.tgz#be90c73145d8001bc72c73e4eab83d2b1a28d330"
+ integrity sha512-UklVtG7Iiw+AvcL0PfiiyW/u3XT+joDAMDvWbx90rFhVSU10ENW5AV5y4pC41qChqEu3P1eBFdaSxg+kdLeqvw==
dependencies:
- "@sentry/bundler-plugin-core" "4.0.0"
+ "@sentry/bundler-plugin-core" "4.0.2"
unplugin "1.0.1"
uuid "^9.0.0"
@@ -28548,6 +28567,7 @@ stylus@0.59.0, stylus@^0.59.0:
sucrase@^3.27.0, sucrase@^3.35.0, sucrase@getsentry/sucrase#es2020-polyfills:
version "3.36.0"
+ uid fd682f6129e507c00bb4e6319cc5d6b767e36061
resolved "https://codeload.github.com/getsentry/sucrase/tar.gz/fd682f6129e507c00bb4e6319cc5d6b767e36061"
dependencies:
"@jridgewell/gen-mapping" "^0.3.2"